Query about min and max and middle row of a table

suppose i have table emp and field
v_date date;
which has data in time stamp
time
10:20
10:25
10:30
10:32
10:33
10:35
10:36
10:38
I need only min time and max time and two record between min and max

I need only min time and max time and two record between min and max Like this?
SQL> create table t (id number);
Table created.
SQL>
SQL> insert into t values (1020);
1 row created.
SQL> insert into t values (1025);
1 row created.
SQL> insert into t values (1030);
1 row created.
SQL> insert into t values (1032);
1 row created.
SQL> insert into t values (1033);
1 row created.
SQL> insert into t values (1035);
1 row created.
SQL> insert into t values (1036);
1 row created.
SQL> insert into t values (1038);
1 row created.
SQL>
SQL> commit;
Commit complete.
SQL>
SQL> select * from t;
     ID
   1020
   1025
   1030
   1032
   1033
   1035
   1036
   1038
8 rows selected.
SQL>
SQL>
SQL> select decode(rownum, 1, min_val, 4, max_val, next_val) your_data from (
  2  select first_value (id) over (partition by 'a' order by 'a') min_val,
  3         last_value (id) over (partition by 'a' order by 'a')  max_val,
  4         id,
  5         lead(id) over (partition by 'a' order by id) next_val
  6   from t
  7  order by id
  8   )
  9  where min_val <> next_val and max_val <> next_val
10  and rownum <= 4;
YOUR_DATA
     1020
     1030
     1032
     1038
SQL>

Similar Messages

  • How to find middle row in a table ?

    Hi Friends,
    Is it possible to find middle row in a table by SQL Query.
    KarTiK.

    Solution: sort the rows in order to create an ordered
    sequence and then there will be a "middle row".Well, not quite.
    If there are an odd number of rows then, yes, there will be a middle row in an ordered sequence, however if there is an even number of rows then the middle is between two rows... or... you could take it as the two rows either side of the middle....
    SQL> select * from emp order by empno;
         EMPNO ENAME      JOB              MGR HIREDATE                   SAL       COMM     DEPTNO
          7369 SMITH      CLERK           7902 17/12/1980 00:00:00        800                    20
          7499 ALLEN      SALESMAN        7698 20/02/1981 00:00:00       1600        300         30
          7521 WARD       SALESMAN        7698 22/02/1981 00:00:00       1250        500         30
          7566 JONES      MANAGER         7839 02/04/1981 00:00:00       2975                    20
          7654 MARTIN     SALESMAN        7698 28/09/1981 00:00:00       1250       1400         30
          7698 BLAKE      MANAGER         7839 01/05/1981 00:00:00       2850                    30
          7782 CLARK      MANAGER         7839 09/06/1981 00:00:00       2450                    10
          7788 SCOTT      ANALYST         7566 19/04/1987 00:00:00       3000                    20
          7839 KING       PRESIDENT            17/11/1981 00:00:00       5000                    10
          7844 TURNER     SALESMAN        7698 08/09/1981 00:00:00       1500          0         30
          7876 ADAMS      CLERK           7788 23/05/1987 00:00:00       1100                    20
          7900 JAMES      CLERK           7698 03/12/1981 00:00:00        950                    30
          7902 FORD       ANALYST         7566 03/12/1981 00:00:00       3000                    20
          7934 MILLER     CLERK           7782 23/01/1982 00:00:00       1300                    10
    14 rows selected.
    SQL> select e.empno, e.ename, e.job, e.mgr, e.hiredate, e.sal, e.comm, e.deptno
      2  from (select emp.*, row_number() over (order by empno) as rn from emp) e
      3      ,(select round(count(*)/2) as middle, round(((count(*)+1)/2)) as middle2 from emp) m
      4  where e.rn in (m.middle, m.middle2)
      5  /
         EMPNO ENAME      JOB              MGR HIREDATE                   SAL       COMM     DEPTNO
          7782 CLARK      MANAGER         7839 09/06/1981 00:00:00       2450                    10
          7788 SCOTT      ANALYST         7566 19/04/1987 00:00:00       3000                    20
    SQL> insert into emp values (1111, 'WILLIS', 'CLERK', 7902, sysdate, 900, null, 20);
    1 row created.
    SQL> select * from emp order by empno;
         EMPNO ENAME      JOB              MGR HIREDATE                   SAL       COMM     DEPTNO
          1111 WILLIS     CLERK           7902 18/01/2008 12:18:14        900                    20
          7369 SMITH      CLERK           7902 17/12/1980 00:00:00        800                    20
          7499 ALLEN      SALESMAN        7698 20/02/1981 00:00:00       1600        300         30
          7521 WARD       SALESMAN        7698 22/02/1981 00:00:00       1250        500         30
          7566 JONES      MANAGER         7839 02/04/1981 00:00:00       2975                    20
          7654 MARTIN     SALESMAN        7698 28/09/1981 00:00:00       1250       1400         30
          7698 BLAKE      MANAGER         7839 01/05/1981 00:00:00       2850                    30
          7782 CLARK      MANAGER         7839 09/06/1981 00:00:00       2450                    10
          7788 SCOTT      ANALYST         7566 19/04/1987 00:00:00       3000                    20
          7839 KING       PRESIDENT            17/11/1981 00:00:00       5000                    10
          7844 TURNER     SALESMAN        7698 08/09/1981 00:00:00       1500          0         30
          7876 ADAMS      CLERK           7788 23/05/1987 00:00:00       1100                    20
          7900 JAMES      CLERK           7698 03/12/1981 00:00:00        950                    30
          7902 FORD       ANALYST         7566 03/12/1981 00:00:00       3000                    20
          7934 MILLER     CLERK           7782 23/01/1982 00:00:00       1300                    10
    15 rows selected.
    SQL> select e.empno, e.ename, e.job, e.mgr, e.hiredate, e.sal, e.comm, e.deptno
      2  from (select emp.*, row_number() over (order by empno) as rn from emp) e
      3      ,(select round(count(*)/2) as middle, round(((count(*)+1)/2)) as middle2 from emp) m
      4  where e.rn in (m.middle, m.middle2)
      5  /
         EMPNO ENAME      JOB              MGR HIREDATE                   SAL       COMM     DEPTNO
          7782 CLARK      MANAGER         7839 09/06/1981 00:00:00       2450                    10
    SQL>

  • Min and Max and insert new rows

    Hello,
    I am really a beginner in Excel (2007). I am not sure if this is the correct forum, anyway.
    I have grouped some rows in a sheet (rows 1, 2 and 3, columns A and B, table below), some of the columns have numeric values in that group and I have a row (inside that group) that shows the maximum and minimum values (row 1):
              A     B 
    +  1   43   12 <- MAX and MIN values for row 2 and 3 columns A and B
    +  2   34   12
    +  3   43   34
    I am using MAX and MIN functions: A1 = MAX($A2:$A$3), B1 = MIN($B$2:$B$3)
    The problem comes when I want to insert more rows after row 3, the formula keeps wrapping to A$2:$A$3 therefore I need to readjust the formula to: MAX($A2:$A$4) manually (for MIN is the same).
              A     B 
    +  1   43   12 <- Are the same, they should be
    "98 and  10"
    +  2   34   12
    +  3   43   34
    +  4   98   10 <- New row, but the maximum and minimum continues to be the same, I want to extend the formula automatically to the 4 row when I insert the new row.
    Question:
    How can I extend the function of the MAX and MIN formula automatically when I insert new rows?
    Please consider that I may insert rows at the beginning, in the middle or the end.
    Thanks,
    Enrique.
    Kikeman Electric Systems Engineer

    Hi Enrique,
    Thanks for posting in MSDN.
    Based on the description, you want to modify the formula for the A1 and B1 cell when you insert a new rows.
    Yes, we can use Worksheet.Change to dermin the change of data on the worksheet then we can modify the formula as we wanted. Here is a sample for your reference:
    Private Sub Worksheet_SelectionChange(ByVal Target As Range)
    Me.Range("A1").Formula = "=MAX($A2:$A" & Me.UsedRange.Rows.Count & ")"
    Me.Range("B1").Formula = "=MIN($B2:$B" & Me.UsedRange.Rows.Count & ")"
    End Sub
    You can more detail about Excel VBA developing from link below:
    Getting Started with VBA in Excel 2010
    Welcome to the Excel 2013 developer reference
    Regards & Fei
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Cursor help and Max and min help

    hello I have a couple of simple questions on cursors.  I am gathering data from an oscilloscope to determine amplitude.  I would like to set a cursor for a reference point.  however, when I set the cursor to the specific number BEFORE the sweep takes place, the cursor gets erased and I have to reset it after.  Also, my x-axis goes from 0-240.  is their anyway to get a high precision?  When I input (154) for the position, it rounds up to 160 and its essential for me to keep as much precision as possible.  I attaching some pictures. 
    Another problem I am having is I want to gather the position where the max point is.  I need this position to subtract it from a reference point so I can determine how far I am from the desired reference point.  I am currently using the express VI statistics. 
    Attachments:
    Max and Min.JPG ‏162 KB
    Cursor Help.JPG ‏82 KB

    At the risk of sounding like a grumpy old man.
    Post you code please-  You have a lot of issues with your coding style and it might take a bit of work to help you out.  I'm not sure from your pictures where your question is pointing.
    Also please post .png files they are prefered on this forum.  And what LabVIEW version are you using?
    Jeff

  • Display and edit currently selected row of ADF Table in ADF Form

    I have an ADF Read-only Table and ADF Form, which were created from the same Data Control.
    I need to be able to edit the selected row of the table in the form (just like in "Binding Data Controls to your JSF page" part of "Developing RIA Web Applications with Oracle ADF" Tutorial). However, I can't figure out how to do this :(
    I found the following solution on the Web: #{bindings.DeptView1.currentRow.dataProvider.dname} - but it doesn't work, since "the class oracle.jbo.server.ViewRowImpl does not have the property dataProvider".
    Sorry for the newbie question.
    Thanks in advance for any help!

    Hi,
    AFAIK, dataProvider is not supported on ADF BC, hence the error.
    If you have created ADF Read only table and form from the same data control you just need to refresh the form based on table selection to show up the selected record, to do which you just need to add partialTriggers property to the panelFormLayout and set its value to the id of table
    Sireesha

  • Howto limit max. count of rows in a TABLES-based import-parameter?

    Hello all,
    I have created a web service based on a custom function module in SAP. Beside others this function module provides one TABLES input parameter, which is set to "optional". Now I want to publish the web service with this parameter optionally as well, but also allow it for max. 10 tmes (meaning max. 10 rows for this import table).
    I have found an entry for min and max settings in SE80 for this web service, but unfortunately these both fields are read-only, so I can't set the maxOccurs here.
    Any ideas how I can solve this problem?
    Thanks in advance for your help!
    Kind regards, Matthias
    Edited by: Matthias F. Brandstetter on Oct 21, 2010 10:32 AM

    Hi,
    It is not possible to change SAP generated service. Better you create new service in ESR and assign correct maxOccurs and then create proxy of this service in backend where you can also map ESR service to FM.
    To minimize effort you can copy same wsdl and then change wsdl and import in ESR as new service.
    Regards,
    Gourav

  • Sql Query : Sum , all the possible combination of rows in a table

    SQL Server 2008 R2
    Sample Table structure
    create table TempTable
    ID int identity,
    value int
    insert into TempTable values(6)
    insert into TempTable values(7)
    insert into TempTable values(8)
    insert into TempTable values(9)
    insert into TempTable values(10)
    I actually want something like below,
    that It returns rows such that, it has the sum of all the remaining rows , as shown below.
    I will ignore the repeated rows.
    6+7
    6+8
    6+9
    6+10
    6+7+8
    6+7+9
    6+7+10
    6+8+9
    6+8+10
    6+9+10 
    6+7+8+9
    6+7+8+9+10

    This makes no sense. What about NULLs? What about duplicate values? You have rows, so you have many combinations. We know that this set totals to 39, so there is no subset totals to half of any odd number.  19.5
    in this case. 
    None of your examples are
    even close! 
     6+7 = 13
    the remaining rows 8+9+10 = 27, so you failed! 
    Want to try again?
    --CELKO-- Books in Celko Series for Morgan-Kaufmann Publishing: Analytics and OLAP in SQL / Data and Databases: Concepts in Practice Data / Measurements and Standards in SQL SQL for Smarties / SQL Programming Style / SQL Puzzles and Answers / Thinking
    in Sets / Trees and Hierarchies in SQL

  • How to set max. number of rows in a table?

    Hi,
    I'm working on a SCADA interface. In this application there are different tables with vertical scroll bar.
    I prefer to make visible only the initialized rows (I've initialized 40 blank rows of a table with a string array). Since the window not contain all 40 rows but only 20 rows, I set the rows number of "table properties window" to 20; so I added a vertical scroll bar.
    Now, when a user scroll the scroll-bar, he can view not only the 40 rows initializated, but an undefined number of rows.
    There's a way to visualize only a limited number of rows?
    Thanks in advance!

    duplicate
    LabVIEW Champion . Do more with less code and in less time .

  • Optimized query to find Min and max of a col in a table

    I have a table doc_boe_rec with record count 12375934
    the primary key columns are (boe_rec_id,psd_serial_num).
    No other ndexes are present on this table.
    I want an optimized query which will give both the results :
    1.Min boe_rec_id (boe_rec_id from 1st record)
    2.Max boe_rec_id from this table with rows limited to a value say 5000.
    i.e (boe_rec_id from 5000th column value from table )
    Thanks
    Manoj

    1.Min boe_rec_id (boe_rec_id from 1st record)It is confusing for me. The min value for the first, hmmm...
    2.Max boe_rec_id from this table with rows limited to a value say 5000.Not more clear...
    Please details your requirements.
    Nicolas.

  • Another query about installing BT Infinity2 and lo...

    History.
    We occupied a new build house in 1998.  It was fitted with a BT Master Socket (Line Box) which is situated in a front corner of the Living Room.  We wanted to have the 'phone in a different corner of the room and also wanted to install some more electrical sockets and television aerial sockets, so before we moved in we set about doing that.  While we had holes in the walls and floors lifted we took the opportunity to install some telephone extension sockets.
    The Telephone Installation.
    Using a BT extension kit and BT junction boxes.  (and connecting all six wires of the cable into the appropriate locations)
    From Line Box in Living Room to Bedroom 3, which is immediately above -  one cable within the cavity wall to a junction box under the floor of Bedroom 3.
    From that junction box -  one cable to Bedroom 3 telephone wall plate and
    one cable to another junction box under the landing floor.
    From the landing floor junction box - one cable within the wall back down to an inner corner of the Living Room to a telephone wall plate   and 
    one cable within a wall down to the Kitchen telephone wall plate and
    one cable under the floor to Bedroom 1 telephone wall plate.
    All extensions have worked well since then.
    My Line Rental has always been with BT and except for a brief period with Talk Talk my calls have also been with BT.
    We later obtained AOL Dial Up which worked fine then later AOL Broadband. When we obtained the Broadband service we fitted BT Filters to each of the extensions in use and had no problems. The AOL Router and desktop computer are in Bedroom 3 plugged into that extension. Lately, the AOL Broadband has become impossibly slow so we have ordered BT Infinity 2 which is due to be installed next week. 
    Question 1.
    I understand that the normal installation installs a Broadband Filter plate, which includes a Broadband socket,  in the Line Box between the BT line and the telephone plug socket.  Is it possible for the extension wall plate in Bedroom 3 to be changed to a Line Box to accomodate said Filter plate without any other work being necessary?
    Question 2.
    If the above is possible, can the original Line Box in the Living Room be left in situ and useable as an extension ?
    Question 3.
    If the two above are possible can we then remove all the Line Filters from the extension sockets or will one always be necessary in the original Line Box in the Living Room as the new Filter fitted in Bedroom 3 is "downstream" of the incoming BT line?
    Question 4.
    What does backwiring mean?
    Solved!
    Go to Solution.

    Well it's installed and working.
    I have to admit that after reading some of the threads on this site I was rather apprehensive as to what to expect and what could or could not be  done. 
    I received two email reminders/confirmations from BT about the forthcoming engineer visit.
    The engineer telephoned on the morning of the appointment to confirm that he was en route and he arrived on time.
    I explained my wiring set up and he advised that this was not a problem as he could install wireless.  I commented that BT advised ethernet cabling for the fastest speed.  He replied that in his experience the speed was subject to many variables and that he personally used wireless and that it was just as fast)
    He fitted a replacement Master Socket (didn't just alter the already fitted one), connected up the Hub and Modem, went off to the street cabinet, returned and confirmed that my daughter's laptop was connected to the Hub, and that was it. He gave us the standard advice about the speed that we could expect and that it may vary considerably for the first few days.  I cannot recall the actual speed quoted but do know that it was many times faster than we had been forced to endure from our previous provider.    BT call centre had advised us that the engineer would be able to supply a wireless adapter to replace the one I was using in my laptop, but that was wrong information as he advised us that in his experience this had never been the case.
    After he had left we simply deinstalled the Netgear from my laptop and re-connected the Netgear adapter I already had to the Hub and that was my laptop connected.
    We bought another Netgear Wireless Adapter for the Desktop and installed & connected that to the Hub.
    My wife and daughter both have Kindle Fire devices which happily talk to the Hub by Wi-Fi  and my daughter's Smartphone also talks to it, so everyone is happy. 
    The only problem that we encountered was when I switched off the power to the Hub and Modem whilst tidying up the cabling. When I powered up again we had lost Broadband and the Lan1 light on the Modem was not lit. The troubleshooting guidance advised re-starting the Hub, but that didn't solve the problem.  Our instructions advised that if this occurred on the day of installation that we should wait until after midnight on that day to ascertain whether Broadband had re-connected.
    The following morning I re-read the troubleshooting guide in the brochure and tried re-starting the Hub but it still made no difference. We called the helpline number who advised us to press the "re-set" button on the Modem for 20 seconds then the re-start button on the Hub for 10 seconds.  (The troubleshooting guide made no mention of re-setting the Modem. )    That worked.
    We've had one slight problem since then when I tried mounting the Modem on the wall instead of it lying on the carpeted floor and moved the Hub to the end of the window sill behind the curtain. Shortly after that we lost the wirless connection although all the relevant lights on the Modem and Hub were lit.    The connection returned when I moved them back to where they had been previously. I'm still trying to figure that one out.

  • Query about Keep Buffer Pool and Recycle Buffer Pool

    What will Keep Buffer Pool and Recycle Buffer Pool contains actually in Database Buffer Cache, specially what type of objects? I know the definitions but need to know the practical aspects about them.

    918868 wrote:
    What will Keep Buffer Pool and Recycle Buffer Pool contains actually in Database Buffer Cache, specially what type of objects? I know the definitions but need to know the practical aspects about them.I believe you have already got the answer from the experts. Just to echo the same, in any cache, either Buffer Cache(default), Keep or Recycle, its going to be data buffers which are actually the placeholders for the data blocks that are available on the disk. The default cache is going to throw away the lesser used buffers as fast as possible. And if you don't want this to happen, you can use either of the other two, indepandant caches-Recycle and Keep. The keep cache , as the name suggests would keep the buffers in it for a more loonger duration compared to the default cache. This probably would be a better idea when you know that some buffers are meant to be reused again and again. Recycle is going tobe for those, which are very seldom used and you don't want them to choke up the caches at all. For the buffers kept in the Recycle cache, they would be thrown out almost instantly.
    Read the link that's given to you. It contains a lot of stuff that would further make things clear.
    Aman....

  • A query about Time Capsule, Ethernet, and DSL modems...

    When I originally set up my modem, I used the network assistant and it seemed to "auto-connect", where the assistant tells you that your ISP "may allow you" etc. This was done with the ethernet cable as Modem to Macbook Pro. Then when I purchased a TC, I simply connected the ethernet cable to the TC and let Airport Utility set up a wireless network.
    All was fine, until I was trying to ensure my security was half-decent. I changed a few settings in the TC, and then spent an afternoon trying to get my MBP to "see" the wireless network. I got that managed as well.
    What's confusing me is this, and I hope someone can help me and explain it like I'm a 5-year-old.
    1. In speaking with the ISP tech support, they seemed pretty sure I had to enter specific DCHP, DNS, etc. values in their fields, yet with the network assistant, it seemed to do this not only on its own, but with different values (numbers) then the one tech support told me to use, including an assigned "public" 192 IP address.
    2. Moreover, the ISP told me I should use PPPoE, yet the network assistant seemed just fine with Ethernet and DCHP.
    3. My ethernet IP address (System preferences/Network) is different from my Airport IP address. Is this normal?
    4. Strangely, when I connect another ethernet cable from the TC ethernet out port to the MBP (I was attempting a quicker Time Machine incremental back up), and turned Airport off (as an experiment), I still have internet connectivity. I thought TC ethernet out to MBP would only be for disk data transfer. Is this normal? If I have Airport "ON", would that cable then only be used for data transfer?
    5. I have the TC in Bridge Mode, with Access Control to "Not Enabled". I originally had my MBP and iPod Touch MAC addresses added to Access Control, until I read that this doesn't really help with security. As it stands now, I increased my WPA2 password from an easy to remember one to a random 25 character one. Basically, I am hoping someone can tell me the settings I should use (with detail) to make both the network settings AND the wireless network as safe as possible without having a computer science degree.
    Additional information: I only use my MBP and iPod Touch, and the wireless network is only for my use. No guests whatsoever. I do have a usb printer connected to the TC. The modem has a wireless "WLAN" feature which I have turned off since I have the TC. For my email accounts, I have the correct ports entered, as far as I can tell and as far as I've been told by those providers. I occasionally use Acquisition (not sure how safe it is security wise), and I'm often online playing Call of Duty 4 (wirelessly). I think that all I can think of that's important.
    I really appreciate everyone's comments and guidance.

    4. Strangely, when I connect another ethernet cable from the TC ethernet out port to the MBP (I was attempting a quicker Time Machine incremental back up), and turned Airport off (as an experiment), I still have internet connectivity. I thought TC ethernet out to MBP would only be for disk data transfer. Is this normal? If I have Airport "ON", would that cable then only be used for data transfer?
    Whichever connection is toward the top of the list in System Preferences-> Network preference pane is the one which will be used.
    5. I have the TC in Bridge Mode, with Access Control to "Not Enabled". I originally had my MBP and iPod Touch MAC addresses added to Access Control, until I read that this doesn't really help with security. As it stands now, I increased my WPA2 password from an easy to remember one to a random 25 character one. Basically, I am hoping someone can tell me the settings I should use (with detail) to make both the network settings AND the wireless network as safe as possible without having a computer science degree.
    WPA2 with a long non-dictionary password is the best wireless security.
    2. Moreover, the ISP told me I should use PPPoE, yet the network assistant seemed just fine with Ethernet and DCHP.
    If your ISP uses PPPoE for Internet connections, the device connecting directly to the DSL modem should be configured to use PPPoE.
    3. My ethernet IP address (System preferences/Network) is different from my Airport IP address. Is this normal?
    Yes

  • Query about Proforma Invoice (F5) and Excise proforma Invoice (JEX)

    Dear all,
    I would like to know for excisable goods, customer should be sent two separate invoice? i.e. Pro forma invoice (F5) and Excise Invoice India (JEX). or only excise invoice India (JEX) should be sent. Please help me for the same.
    Thanks in advance.

    Hi,
    If excise is relevant then use JEX proforma invoice.So that excise values will flow from invoice to excise transaction "J1IIN"-factory excise invoice.
    Configuration to move excise values from proforma has been done for Billing type "JEX"
    in Excise configuration Logistics General>Tax on Goods Movement>India>Outgoing Excise invoice>Assign billing types to Delivery types. you will find the JEX been assigned.
    In the standard system, there are two document flows that you can use:
    Standard order (document type OR) -> Outbound delivery (LF) -> Proforma excise invoice (JEX) -> Invoice (F2)
    Standard order (OR) -> Excise invoice (JF) -> Invoice (F2).
    Assign Billing Types to Delivery Types
    Use
    You enter outgoing excise invoices by referring to either of the following documents:
    Customer invoices
    Pro forma excise invoices
    These options are represented in the system by different document types and document flows.
    In this IMG activity, you:
    Specify which billing document types you use as a reference for CENVAT utilization
    Assign them to the appropriate delivery document types
    Requirements
    You have set up the delivery types and copy control as follows:
    Create separate delivery types in Customizing for Logistics Execution (LE), by choosing Shipping -> Deliveries -> Define Delivery Types.
    Set up copy control for the delivery types in Customizing for LE, by choosing Shipping -> Copying Control -> Specify Copy Control for Deliveries.
    Create billing types in Customizing for Sales and Distribution (SD), by choosing Billing -> Billing Documents -> Define Billing Types.
    Set up copy control for the billing types in Customizing for SD, by choosing Billing -> Billing Documents -> Maintain Copying Control for Billing Documents
    regards

  • On going Query about MSN/Live Messenger and T-Mobi...

    I have this question running on two other boards with no cast iron answer.
    Are there any T-mob UK N900 users who can use the MSN plugin for conversation be it Butterfly, Haze or Pecan?
    If the answer is yes please let me know so I can rule out that it's my T-Mob account set up incorrectly.
    I have a work around at the moment as I'm connnecting via jabber 
    Thanks

    I'm having a great deal of issues trying to access hotmail.co.uk which results in it just timing out. Router restart didn't help. Starting to think there may be a problem somewhere else. Is this happening to anybody else?
    Traceroute:
    Tracing route to login.live.com.nsatc.net [65.54.186.17]
    over a maximum of 30 hops:
      1     1 ms     1 ms     1 ms  api.home [192.168.1.254]
      2    24 ms    23 ms    23 ms  217.32.142.5
      3    24 ms    23 ms    24 ms  217.32.142.46
      4    25 ms    24 ms    24 ms  213.120.163.70
      5    24 ms    24 ms    23 ms  217.32.27.62
      6    24 ms    24 ms    25 ms  217.32.27.182
      7    29 ms    24 ms    23 ms  acc2-10GigE-9-3-0.mr.21cn-ipp.bt.net [109.159.250.230]
      8    44 ms    36 ms    35 ms  core2-te0-13-0-0.ealing.ukcore.bt.net [109.159.250.139]
      9    35 ms    92 ms    33 ms  transit1-xe0-1-0.ealing.ukcore.bt.net [194.72.9.234]
     10    33 ms    39 ms    32 ms  t2c3-xe-9-3-0.uk-eal.eu.bt.net [166.49.168.29]
     11    36 ms    33 ms    32 ms  t2c1-ge13-0-0.uk-eal.eu.bt.net [166.49.237.25]
     12   106 ms   106 ms   106 ms  t2c1-p4-0-0.us-ash.eu.bt.net [166.49.164.225]
     13     *        *        *     Request timed out.
     14     *        *        *     Request timed out.
     15     *        *        *     Request timed out.
     16     *        *        *     Request timed out.
     17     *        *        *     Request timed out.
     18     *        *        *     Request timed out.
     19     *        *        *     Request timed out.

  • Store BP and Item properties in Rows of new table in parallel to columns

    Hi Product Development Team,
    At present SAP B1 stores BP and Item properties as 64 columns in respective master table.
    As the main purpose of property feature is for Reporting and Analysis, Analysis Report developers faces difficulties in preparing analysis report based on properties in the present structure of prperties in column.
    I suggest to introduce additional new table (each for Business Partners and Items properties) which contain rows for selected BPs/item's selected properties.
    In order to retain present functionality the existing column can remain as it is and also continue to updated as it is.Only additional new table will also get updated and new analysis reports can be build using these newly suggested tables.
    Best Regards,
    Samir Gandhi

    No Body responded very strange !!!!!

Maybe you are looking for

  • IPhoto 11 GPS Coordinates

    Where can I find the GPS coordinates in iPhoto 11 for geotagged pics? In iPhoto 09 this information was available under the Photos menu "Show Extended Photo Information".

  • Link to download LR4 SDK is broken

    http://download.macromedia.com/pub/developer/lightroom/sdk/LR_4.1_831116_osx10_Debug_SDK.z ip gives a 404 error.

  • How to add users to group which is present in another AD domain?

    Hi, Using JNDI how to add user as a member of group which is present in another AD domain? For example: In AD forest test.com their are two domain a.test.com and b.test.com. Group is present in a.test.com and I want to add user present in b.test.com

  • Screen Field Value Should be changed based on changes in ALV values

    Hi All, We had created a ALV with container, in this Alv we have a checkbox, which is editable. Based on the selection on checkbox , we need to update a field "Total selected" on screen. we are using Event to handle data changed in ALV, but some how

  • Iphone 3g working very slow

    Hi, I am using the Iphone 3G with 4.2.1 OS My phone working very slow, also i can close the application i have to restart the iphone for closing the application Can you please help me to solve this issue with best regards, prakash