Query to sort data by date of birth

Hi i tried creating this query from the staff table of my database to display the data for only the nurses who are over 50 years old if the date of birth is shown.
my coding is below and so is the eroor that keeps occurring when i try to run it. please help if you can.
MY CODING:
SELECT Staff_Table.StaffNumber, Staff_Table.LastName, Staff_Table.FirstName, Staff_Table.JobDescription, Staff_Table.DateOfBirth
FROM Staff_Table
WHERE (((Staff_Table.JobDescription)="nurse") AND ((Staff_Table.DateOfBirth)<=DateAdd("yyyy",-50,Date())));
ERROR:
Error starting at line 1 in command:
SELECT Staff_Table.StaffNumber, Staff_Table.LastName, Staff_Table.FirstName, Staff_Table.JobDescription, Staff_Table.DateOfBirth
FROM Staff_Table
WHERE (((Staff_Table.JobDescription)="nurse") AND ((Staff_Table.DateOfBirth)<=DateAdd("yyyy",-50,Date())))
Error at Command Line:3 Column:36
Error report:
SQL Error: ORA-00920: invalid relational operator
00920. 00000 - "invalid relational operator"
*Cause:   
*Action:
I really dont understand what is wrong with this.

If you want to search on first name
SELECT  Staff_Table.StaffNumber,
        Staff_Table.LastName,
        Staff_Table.FirstName,
        Staff_Table.JobDescription,
        Staff_Table.DateOfBirth
  FROM  Staff_Table
  WHERE LOWER(Staff_Table.FirstName) = LOWER( <<entered first name>> )
    AND Staff_Table.DateOfBirth <= ADD_MONTHS(TRUNC(SYSDATE),-600)If you want to search on the last name
SELECT  Staff_Table.StaffNumber,
        Staff_Table.LastName,
        Staff_Table.FirstName,
        Staff_Table.JobDescription,
        Staff_Table.DateOfBirth
  FROM  Staff_Table
  WHERE LOWER(Staff_Table.LastName) = LOWER( <<entered last name>> )
    AND Staff_Table.DateOfBirth <= ADD_MONTHS(TRUNC(SYSDATE),-600)Or if you want to search on either
SELECT  Staff_Table.StaffNumber,
        Staff_Table.LastName,
        Staff_Table.FirstName,
        Staff_Table.JobDescription,
        Staff_Table.DateOfBirth
  FROM  Staff_Table
  WHERE (LOWER(Staff_Table.FirstName) = LOWER( <<entered name>> ) OR
        LOWER(Staff_Table.LastName) = LOWER( <<entered name>> ) )
    AND Staff_Table.DateOfBirth <= ADD_MONTHS(TRUNC(SYSDATE),-600)You could also put wild card character to search for the entered string anywhere in the first or last name field
SELECT  Staff_Table.StaffNumber,
        Staff_Table.LastName,
        Staff_Table.FirstName,
        Staff_Table.JobDescription,
        Staff_Table.DateOfBirth
  FROM  Staff_Table
  WHERE (LOWER(Staff_Table.FirstName) LIKE LOWER( '%' || <<entered name>> || '%' ) OR
        LOWER(Staff_Table.LastName) LIKE LOWER( '%' || <<entered name>> || '%'  ) )
    AND Staff_Table.DateOfBirth <= ADD_MONTHS(TRUNC(SYSDATE),-600)Of course, this gets harder and harder to build indexes that would allow you to find the rows without resorting to a full table scan.
Justin

Similar Messages

  • Pb retrieving sorted data from Table in SQL.

    Hi,
    I get problem to retrieve data in the right order from table in database SQL.
    See code attached: code.png
    I want to sort data according to ID number And then to retrieve those data and fill out a ring control in the right order "descending" .
    But i got always ID 2 instead of 1. See attached  picture : control.png
    it seems that the select statement (see under) is not woking properly. But it is working well in a query in Access DataBase .  
    //Select statement
       hstmt = DBActivateSQL (hdbc, ("SELECT * FROM %s ORDER BY ID DESCENDING",szTableName));
       if (hstmt<= DB_SUCCESS) {ShowError(); goto Error;}
    Some idea ??
    Lionel.
    Attachments:
    code.PNG ‏39 KB
    control.png ‏32 KB

    Hello Lionel,
    According to the document Robert linked, the prototype of DBActivateSQL() is:
    int statementHandle = DBActivateSQL (int connectionHandle, char SQLStatement[]);
    For the 2nd parameter(SQLStatement), you're sending:
    ("SELECT * FROM %s ORDER BY ID DESCENDING",szTableName)
    Probably your intention is to substitute %s with szTableName, but that's not what it happens.
    By using comma operator, ("SELECT * FROM %s ORDER BY ID DESCENDING",szTableName) is evaluated to szTableName, so you call is equivalent to:
    hstmt = DBActivateSQL (hdbc, szTableName);
    In order to substitute %s with szTableName you need to first build the string you're passing as the 2nd parameter:
    char query[512];
    sprintf(query, "SELECT * FROM %s ORDER BY ID DESCENDING",szTableName);
    hstmt = DBActivateSQL (hdbc, query);

  • Performance - using JDBC call with 'order by' vs sorting data on app server

    Hello! I need some valid thoughts on the performance of using a JDBC call versus processing information on the application server.
    Here is the somewhat simplified scenario:
    I need to retrieve customer information (name, e-mail, telephone), display it in HTML format and then be able to redisplay it in a different order. For example, initially the list would be displayed sorted by last name, but then a user might choose to sort it by e-mail address. Initial call to DB uses 'order by' in the SQL stmt to get me the initial ordering by last name. Results are stored in 2D array. However, when a user selects a different sort I have two options:
    1) just make another call to the DB with a different order by clause. This means I need to create a DB connection, connect to DB, retrieve the results and read them from result set into a 2 dimensional array
    2) re-sort data in the 2D array populated during the initial call. This means I need to use java.util.Arrays.sort(my_2D_resultsArray, my_custom_comparator)
    Question is : which is more efficient? Number of entries retrieved can be anywhere from 0 to a few thousands (depending on other filters such as customer's country). My feeling is that option umber 2 is better, but I would like to get your opinion.
    Thank you!

    Good points! Thanks! I ran a test (see code below) and it takes less than a second to sort 2000 Strings and 2000 nulls. The only thing I ran the test at a UNIX prompt as oppose to from within app server (Weblogic). I expect the speed to be compatible though. Do you think that test was valid and tells us that sorting on the app server is probably faster than doing another SQL query?
    import java.io.*;
    import java.math.*;
    import java.util.*;
    import java.util.Arrays.*;
    public class Test {
      public static void main(String[] args) throws Exception {
        Test test = new Test();
        test.testSortingPerformance();
      public void testSortingPerformance() {
        Object[] objArray2 = new Object[]{};
        Vector v = new Vector();
        Date start, end;
        java.util.Random rd = new java.util.Random(2000);
        for (int i = 0; i < 2000; i++){
          v.add(new Object[]{new String("" + rd.nextInt())});
          v.add(new Object[]{null});
        objArray2 = v.toArray();
        Object[] innerObjArray2 = new Object[]{};
        MyComparator2 myComp = new MyComparator2();
        start = new Date();
        java.util.Arrays.sort(objArray2, myComp);
        end = new Date();
        for (int i = 0; i < objArray2.length; i++) {
          System.out.println();
          innerObjArray2 = (Object[])objArray2;
    for (int j = 0; j < innerObjArray2.length; j++) {
    System.out.print(innerObjArray2[j] + " ");
    System.out.println(v.size());
    System.out.println("Start " + start + " End " + end);
    import java.util.*;
    public class MyComparator2
    implements Comparator {
    //position in the inner array to use for comparison
    private int position = 0;
    //default empty constructor
    public MyComparator2() {
    //implement compare method
    public int compare(Object o1, Object o2) {
    Object[] strAr1 = (Object[]) o1;
    Object[] strAr2 = (Object[]) o2;
    if (strAr1[0] == null){
    if (strAr2[0] == null){
    return 0;
    else{
    return -1;
    else if (strAr2[0] == null){
    return 1;
    return ( (String) strAr1[0]).compareTo( (String) strAr2[0]);

  • Trying to log in but wont accept my date of birth how can i put this right

    i can't access my account  wont accept my date of birth how do i right this?

    Hi ,
    Please give us a call to get this sorted.
    Thanks.

  • Sorting date Field

    Hi,
          I am using  groupField in Advanced Datagird, in that i want sort the date field. The  date field sees like that 06/22/1986(Month/Date/Year). How i can sort  it.
    Regards,
    Sivabharathi

    Hi,
    Thank you for your reply. I tried sortComparefunction. But it's not working perfect. Look at the example.
    <?xml version="1.0" encoding="utf-8"?>
    <!-- http://blog.flexexamples.com/2007/08/12/sorting-date-columns-in-a-datagrid/ -->
    <mx:Application xmlns:mx="http://www.adobe.com/2006/mxml">
        <mx:Script>
            <![CDATA[
                import mx.collections.XMLListCollection;
                import mx.events.FlexEvent;
                import mx.utils.ObjectUtil;
                public var reportXMLList:XMLList = new XMLList();
                public var listCollection:XMLListCollection ;
                private var tempXML:XML ;
                private function date_sortCompareFunc(itemA:Object, itemB:Object):int {
                    var dateA:Date = new Date(Date.parse(itemA.dob));
                    var dateB:Date = new Date(Date.parse(itemB.dob));
                    return ObjectUtil.dateCompare(dateA, dateB);
                protected function init():void
                    tempXML = new XML(<root>
                                    <row col1="12/27/2010"/>
                                    <row col1="12/29/2010"/>
                                    <row col1="01/05/2011"/>
                                    <row col1="01/07/2011"/>
                                    <row col1="01/31/2011"/>
                                    <row col1="02/15/2011"/>
                                    <row col1="02/17/2011"/>
                                    <row col1="02/18/2011"/>
                                    <row col1="02/25/2011"/>
                                    <row col1="03/11/2011"/>
                                    <row col1="03/18/2011"/>
                                    <row col1="03/19/2011"/>
                                    <row col1="03/21/2011"/>
                                    <row col1="03/22/2011"/>
                                    <row col1="03/26/2011"/>
                                    <row col1="03/30/2011"/>
                                    <row col1="03/30/2010"/>
                                    <row col1="03/30/2009"/>
                                    <row col1="03/30/2015"/>
                                  </root>);
                    reportXMLList = tempXML.row;
                    listCollection= new XMLListCollection(reportXMLList);
            ]]>
        </mx:Script>
        <mx:AdvancedDataGrid id="dataGrid" initialize="init()" dataProvider="{listCollection}"
                             width="100%" height="100%">
            <mx:groupedColumns>
                <mx:AdvancedDataGridColumn dataField="@col1"
                                   headerText="Date of birth:"
                                   sortCompareFunction="date_sortCompareFunc"
                                   />
            </mx:groupedColumns>
        </mx:AdvancedDataGrid>
    </mx:Application>

  • HT1918 How to change date of birth

    Made a mistake when entering date of birth how can I change it thanks.

    I have run into this problem on vacation with my bubble-headed friends who do not know how to set their camera clocks. Then I sort by time taken and I wind up with a big mess!
    In short: I use the outstanding "A Better Finder Attributes" - it allows you to batch-change files with a specific date, or time-shift the whole batch by adding or subtracting.
    You can get it at http://www.publicspace.net/ABetterFinderAttributes/index.html
    Good Luck !!

  • Im trying to reset my icloud password but it says my date of birth is wrong?

    im trying to reset my icloud password, i click on to questions? and do my date of birth, which it comes back saying its wrong? i cant remeber doing my date of birth or doing the question?
    but i really need to no how to sort it out, as i need to activate my iphone?
    been trying for a day now?
    HELP ME!!!!

    Contact the Apple account security team for assistance resetting the password: Apple ID: Contacting Apple for help with Apple ID account security.

  • How will write SQL query to fetch data from  each Sub-partition..

    Hi All,
    Anyone does have any idea about How to write SQL query to fetch data from Sub-partition.
    Actually i have one table having composite paritition(Range+list)
    Now if i want to fetch data from main partition(Range) the query will be
    SELECT * FROM emp PARTITION(q1_2005);
    Now i want to fetch data at sub-partition level(List) .But i am not able to get any SQL query for that.
    Pls help me to sort out.
    Thanks in Advance.
    Anwar

    SELECT * FROM emp SUBPARTITION(sp1);

  • Current date of birth for my column is null getting error....

    Hi All..
    i am calucating the current date of birth for my column which is date field and accept nulls (cust_dob) in my table.
    select cust_dob,Add_Months(
    to_date(cust_dob, 'dd/mm/yyyy'),
    Months_Between(
    trunc(sysdate, 'year'),
    trunc(to_date(cust_dob, 'dd/mm/yyyy'), 'yyyy')
    ) as current_dob from m_customer_hdr
    when i execute my query in toad. it is showing the result. but when i scroll down to see data it thow error as
    ORA-01858: a non-numeric character was found where a numeric was expected...
    Thanks in advance..
    Abdul rafi

    What datatype is cust_dob datatype. Somehow I have a feeling it is DATE. If so, expression:
    to_date(cust_dob, 'dd/mm/yyyy')Implicitly converts cust_dob to a string using session nls_date_format and then converts it back to date using 'dd/mm/yyyy' format. Now if NULL dob are fetched first, you might get something like:
    SQL> ALTER SESSION SET NLS_DATE_FORMAT='DD-MON-RR';
    Session altered.
    SQL> SET SERVEROUTPUT ON
    SQL> BEGIN
      2      FOR v_rec IN (SELECT  TO_DATE(cust_dob,'mm/dd/yyyy') cust_dob
      3                      FROM  (
      4                             SELECT TO_DATE(NULL) cust_dob FROM DUAL UNION ALL
      5                             SELECT TO_DATE(NULL) cust_dob FROM DUAL UNION ALL
      6                             SELECT TO_DATE(NULL) cust_dob FROM DUAL UNION ALL
      7                             SELECT sysdate cust_dob FROM DUAL
      8                            )
      9                   ) LOOP
    10        DBMS_OUTPUT.PUT_LINE('DOB = "' || v_rec.cust_dob || '"');
    11      END LOOP;
    12  END;
    13  /
    DOB = ""
    DOB = ""
    DOB = ""
    BEGIN
    ERROR at line 1:
    ORA-01858: a non-numeric character was found where a numeric was expected
    ORA-06512: at line 2So if column CUST_DOB is DATE, use:
    select cust_dob,Add_Months(
    cust_dob,
    Months_Between(
    trunc(sysdate, 'year'),
    trunc(cust_dob, 'yyyy')
    ) as current_dob from m_customer_hdrSY.

  • Sort data

    How to sort data query result each time one clicks sort
    button ...sort by name,date,etc

    I did dont work...
    =====
    <CFQUERY NAME="Rec" DATASOURCE="#EazyVector#">
    SELECT ctrData.FACILITY AS Facil,ctrData.CONTRACTNO AS
    CONTRACTNO,ctrData.CONTRACTDATE AS
    CONTRACTDATE,ctrData.CONTRACTTITLE AS
    CONTRACTTITLE,ctrData.DRWPROVIDEBY AS DRWPROVIDEBY,ctrDocs.DRWNO AS
    DRWNO,ctrDocs.SHEETNO AS SHEETNO,ctrDocs.CONTRACTNO AS
    DocCtrNo,ctrDocs.DRWTYPE AS DRWTYPE,ctrDocs.DISCIPLINE AS
    DISCIPLINE,ctrDocs.DRWTITLE AS DRWTITLE,ctrDocs.CONFCADDFILENAME AS
    ImageName,ctrDocs.DRWDATE AS DRWDATE ,ctrDocs.DOCID AS
    DOCID,ctrLoc.READONLYMEDIAPATH AS READONLYMEDIAPATH,
    ctrLoc.CONTRACTNO AS LocCtrNo
    FROM CONTRACTS ctrData,CONTRACT_DOCS
    ctrDocs,IMGS_LOCATION_FOLDER ctrLoc
    WHERE lower(ctrData.CONTRACTNO)=lower(ctrDocs.CONTRACTNO(+))
    AND lower(ctrData.CONTRACTNO)=lower(ctrLoc.CONTRACTNO(+))
    <CFIF Form.ConTNo NEQ "">
    AND lower(ctrData.CONTRACTNO) like lower('%#Form.ConTNo#%')
    </CFIF>
    <CFIF Form.ConTitle NEQ "">
    AND lower(ctrData.CONTRACTTITLE) like
    lower('%#Form.ConTitle#%')
    </CFIF>
    <CFIF #Form.Discipline# NEQ "">
    AND lower(ctrDocs.DISCIPLINE) LIKE
    lower('%#Form.Discipline#%')
    </CFIF>
    <CFIF #Form.DrawingNo# NEQ "">
    AND lower(ctrDocs.DRWNO) LIKE lower('%#Form.DrawingNo#%')
    </CFIF>
    <CFIF #Form.Facil# NEQ "">
    AND lower(ctrData.FACILITY) LIKE lower('%#Form.Facil#%')
    </CFIF>
    <CFIF #Form.DrwTitle# NEQ "">
    AND lower(ctrDocs.DRWTITLE) LIKE lower('%#Form.DrwTitle#%')
    </CFIF>
    <!--- Month
    <CFIF #Form.selectMonth# NEQ "">
    AND EXTRACT(MONTH FROM ctrData.CONTRACTDATE ) IN
    (#ListQualify(Form.selectMonth, "'")#)
    </CFIF>
    <!--- Day --->
    <CFIF #Form.selectDay# NEQ "">
    AND EXTRACT(DAY FROM ctrData.CONTRACTDATE ) IN
    (#ListQualify(Form.selectDay, "'")#)
    </CFIF>
    <!--- Year --->
    <CFIF #Form.selectYear# NEQ "">
    AND EXTRACT(YEAR FROM ctrData.CONTRACTDATE ) IN
    (#ListQualify(Form.selectYear, "'")#)
    </CFIF>--->
    <!--- Between Two Years --->
    <CFIF (#Form.selectYearF# NEQ "") AND (#Form.selectYearT#
    NEQ "")>
    AND ( EXTRACT(YEAR FROM ctrData.CONTRACTDATE ) BETWEEN
    #Form.selectYearF# AND #Form.selectYearT# )
    </CFIF>
    <!--- ORDER by most recent date first --->
    ORDER BY #sortKey# DESC
    </CFQUERY>

  • Sort data results

    How to sort data query result each time one clicks sort
    button ...sort by name,date,etc

    Say for instance you would like to out put the emails,
    fullname and city. Want to sort by each header.
    <cfparam name="sort" default="fullname asc">
    <cfquery name="whatever' datasource="yoursource">
    select *
    from tbl
    order by #sort#
    </cfquery>
    <!---- using U for ascending and D for descending order
    ---->
    <table>
    <tr>
    <td>
    Full Name <a href="page.cfm?sort=fullname
    asc">U</a> | <a href="page.cfm?sort=fullname
    desc">D</a>
    </td>
    <td>
    Email <a href="page.cfm?sort=email asc">U</a> |
    <a href="page.cfm?sort=email desc">D</a>
    </td>
    <td>
    City <a href="page.cfm?sort=city asc">U</a> |
    <a href="page.cfm?sort=city desc">D</a>
    </td>
    </tr>
    <cfquery query="whatever">
    <tr>
    <td>#fullname#
    </td>
    <td>#email#
    </td>
    <td>#city#
    </td>
    </tr>
    </table>
    So when the user clicks on Full Nam U it will send the sort
    value to the query and so forth.
    Hope this helps,
    Sevor Klu

  • Getting data in a query on last date of all previous months

    Dear Experts,
    I need your help with a query.
    I am trying to create a query which when run should pick the number of Open Sales Order on the last date of all the previous months from the start of company.
    I could create the query for fetching the required data on last day of the previous month, say today is 25th June 2014, so my query only fetches data for May 31st 2014 but I need data for all previous month, May 31st 2014, April 30th 2014, March 31st 2014 & so on.
    Please advise how to achieve this is SQL query.
    Thanks & regards,
    Nitin

    Hi,
    Try this:
    Select *
    from(
    SELECT T0.[DocNum] as #,t0.cardcode as C, t0.docdate
    FROM ORDR T0
    WHERE T0.[DocStatus] = 'o' and T0.[DocDate]  = CONVERT(VARCHAR(10), DATEADD(s,-1,DATEADD(mm, DATEDIFF(m,0,getdate())-1,0)),10) OR T0.[DocDate]  = CONVERT(VARCHAR(10), DATEADD(s,-1,DATEADD(mm, DATEDIFF(m,0,getdate())-2,0)),10) or T0.[DocDate]  = CONVERT(VARCHAR(10), DATEADD(s,-1,DATEADD(mm, DATEDIFF(m,0,getdate())-3,0)),10) or T0.[DocDate]  = CONVERT(VARCHAR(10), DATEADD(s,-1,DATEADD(mm, DATEDIFF(m,0,getdate())-4,0)),10) or T0.[DocDate]  = CONVERT(VARCHAR(10), DATEADD(s,-1,DATEADD(mm, DATEDIFF(m,0,getdate())-5,0)),10) or T0.[DocDate]  = CONVERT(VARCHAR(10), DATEADD(s,-1,DATEADD(mm, DATEDIFF(m,0,getdate())-6,0)),10) or T0.[DocDate]  = CONVERT(VARCHAR(10), DATEADD(s,-1,DATEADD(mm, DATEDIFF(m,0,getdate())-7,0)),10)
    group by t0.cardcode,docdate,T0.[DocNum]) S
    pivot
    (count(#) for c in([cvt01],[cvt02],[cvt03],[cvt04],[cvt05],[cvt06],[cvt07],[cvt08],[cvt12])) P
    Note: Replace Cvt01,02...with your customer code.
    Thanks & Regards,
    Nagarajan

  • Game center first time use won't get past entering date of birth

    Trying to use Game Center for the first time.  When I log in it says the following:
    "This Apple ID ahs not been used in Game Center.  Tap Continie to set up your account."
    I select "Continue". 
    Next is I verity my location (United States); United States is displayed so I select "Next".
    Next it says to "Create a Profile" and displays my Date of Birth.  It is displayed correctly, so I select "Next".
    Then it takes me back to the initial msg I listed above,  "This Apple ID ahs not been used in Game Center.  Tap Continie to set up your account.".
    Continuing, it just loops the same thing over again.
    What do I need to do to get this setup correctly and useable?

    My solution was to log into Game Center via my MaC Book Pro.  Once I did this, it let me log in from the iPod Touch. 
    One thing I did notice, logging in from the Mac, I was not asked all the "profile" questions I was asked on the Touch.
    Can't tell you why it worked through the Mac and not the Touch.  Something the App developer needs to address.

  • POWER QUERY Get External Data From File From Folder (Excel 2013)

    Hi,
    Beginner's question :
    What could be the use of the query on a folder : we just get a list of files with their path. What can we do with that?
    Thanks

    Hi,
    Do you want to combine data from multiple Excel Files in the same folder path into one table? If I understand correct, we can add a custom column to import the data.
    After we getting a list of files with their path, the Query Editor window will activate to show you a table containing a record for each file in the chosen directory. These will provide our function with the needed FilePath and FileName parameters. 
    Function sample: File name([Folder path],[Field name]
    For more detailed steps, please see the article:
    http://datapigtechnologies.com/blog/index.php/using-power-query-to-combine-data-from-multiple-excel-files-into-one-table/
    Please Note: Since the web site is not hosted by Microsoft, the link may change without notice. Microsoft does not guarantee the accuracy of this information.
    George Zhao
    TechNet Community Support
    It's recommended to download and install
    Configuration Analyzer Tool (OffCAT), which is developed by Microsoft Support teams. Once the tool is installed, you can run it at any time to scan for hundreds of known issues in Office
    programs.

  • How to sort data in cl_gui_alv_tree class?

    Hi,
    I thought that since this object uses an alv grid that the standard sort functionality would exist.  Now that I've developed most of the code, I realize that there is no native sorting functionality.
    Is there some way I can make use of the Superclass CL_ALV_TREE_BASE?
    It has some methods that are "Private", "Instance"  - I'm still a rookie at OO programming in SAP so I'm not sure how best to approach the situation.
    As I see it, I have a few options:
    1)  Manually manage sorting by providing an ascending and descending button/icon on the toolbar and then delete and rebuild the nodes in the tree.
    2)  Manually track the data along with the nodekeys and then use method MOVE_NODE to reposition the data in the tree
    3)  Clone these objects and somehow find the code that is causing the sort options to be suppressed in the toolbar.
    Has anyone built any applications using CL_ALV_TREE_BASE that permit sorting?
    Please don't waste my time by pasting in the links to all the SAP online help for ALV and expect to get points.  Been there, done that.  If there is a particular section that is of specific value, I'll happily study it and report my findings.  Particularly something that explains how to invoke the methods of a superclass and the difference between protected, public, and private.
    Mostly though, I really need a way to sort data in the CL_GUI_ALV_TREE class.
    Thanks

    Hi Ray,
    As far as I know, this will not work. I've had the same problem. The only solution I have found was to re-build the tree each time. It is easier than moving nodes around.
    You can take a look at the class cl_wa_notifications_wps - in case you have a PM or an A&D system.
    Ferenc

Maybe you are looking for

  • Need to reinstall Acrobat XI - cloud says it's installed - help needed urgently!

    i am using osx / adobe creative cloud. needed to deinstall acrobat XI. did it with app cleaner by mistake. now acc tells me it is installed and i can not reinstall it again. help urgently needed! PROBLEM SOLVED go to applications/utilities/adobe inst

  • QUERY ONLY = YES not working when set in CUSTOM.pll

    Hi, Depending on the responsibility the user is logged on as I have set the element entries form PAYWSMEE to query only = yes within the custom.pll. This seems to work in so far as the elements screen is display-only but when i go into the entry valu

  • Currency Translation- Package Status error

    I am encountering the following error after running  the currency translation package. The following is the error message in the package log RUN LOGIC : Run program error,Message Number : '''' Failed Application:Sales Package Status :ERROR Can some o

  • IDVD 08 slide show quality problems

    I have tried several different ways to get a reasonably good quality slideshow through iDVD. In every case I end up with out of focus slides. Have tried the following: 1)Start in iDVD and import photos from iPhoto. Everything appears normal in this p

  • Apps: download them but they don't appear in iTunes

    hi guys, when I donwload an app via itunes i see it dowloading into a "download" temporary folder right below the "itunes store" tab on the left of the itunes. Apps stay there for a while then disappear and i can't even find them in the apps tab of i