Alphabetical sort in hierarchal tree

Hi,
I would like (in form) to have the tree be
alphabetized by the parent's and childen's names. A simple ORDER
BY would get the list of names all out of order.
I also tried to create index on sorting field and then :
...CONNECT BY prior obj_opc = obj_id AND obj_opc >= chr(0)... , but it didn't work.
This is my example:
WHEN-NEW-FORM-INSTANCE trigger:
htree := find_item('tree_block.htree');
rg_objects := create_group_from_query('rg_objects',
'select 1, level, obj_opc , null, obj_data ' ||
'from ad_opc ' ||
'connect by prior obj_opc = obj_id ' ||
'start with obj_opc = :GLOBAL.obj_id');
v_dummy := populate_group(rg_objects);
ftree.set_tree_property(htree, ftree.record_group, rg_objects);
Any help would be much appreciated.

hello mario
in this your problem a hierarchical query with start with and connect by clausue is not suitable. you have to manualy build record group not from query but with add_group_column ...
source for this will be cursors with only one hierarchy from your select and after you fetch value on current level of hierarchy you will do a check if there are any items in lower level ...
may sound a bit complicated but look at examples of using ftree, it is there ...
hth
Petr Valouch, Brainbench MVP for Oracle Programming, http://www.brainbech.com

Similar Messages

  • Sorting within Hierarchical Structures

    Hello,
    I have a hierarchical tree structure that returns from an SQL statement of mine using START WITH and PRIOR etc.
    My question is how can I sort the children of a parent.
    As an example, my tree returns:
    Parent
    Child 1
    Child 2
    Child 1 of Child 2
    Child 2 of Child 2
    Child 3 of Child 2
    Child 3
    etc, etc..
    But I want to be able to dictate the order in which everything is displayed. For example, I want to be able to do this:
    Parent
    Child 1
    Child 3
    Child 2
    Child 2 of Child 2
    Child 1 of Child 2
    Child 3 of Child 2
    I have some sort order fields in my table but I just can't get the right SQL clause.
    Should I be trying to run multiple SQL clauses? or is there a Magic Golden SQL statement to solve my problems?
    Any help (I don't need the code as such, just the strategy) will ge great.
    rgds

    Looks like you have an arbitrary sorting order (2, 1 ,3). You might be better of populating a table
    (temporary, plsql or persistant) and then using a form (or some other method) to assign the sort order.
    best of luck.
    Hello,
    I have a hierarchical tree structure that returns from an SQL statement of mine using START WITH and PRIOR etc.
    My question is how can I sort the children of a parent.
    As an example, my tree returns:
    Parent
    Child 1
    Child 2
    Child 1 of Child 2
    Child 2 of Child 2
    Child 3 of Child 2
    Child 3
    etc, etc..
    But I want to be able to dictate the order in which everything is displayed. For example, I want to be able to do this:
    Parent
    Child 1
    Child 3
    Child 2
    Child 2 of Child 2
    Child 1 of Child 2
    Child 3 of Child 2
    I have some sort order fields in my table but I just can't get the right SQL clause.
    Should I be trying to run multiple SQL clauses? or is there a Magic Golden SQL statement to solve my problems?
    Any help (I don't need the code as such, just the strategy) will ge great.
    rgds

  • Creating a hierarchical tree

    Hi,
    I have 3 tables t1, t2, t3.
    t1 is the master of t2.
    t2 is the master of t3.
    Data in t1:
    seq      name
    1          m
    2          g
    Date in t2
    seq  t1_seq    name
    1         1         mani
    2         1         julia
    3         2        kali
    4         2        mali
    5         2         toli
    data  in t3
    seq  t2_seq    title
    1         1         manager
    2         1         clerk
    3         2        developer
    4         2        clerk
    5         2         salesman
    6         4        manager
    7         4        clerk
    8         2        developer
    9         3        clerk
    10        3         developer---------------------------------------------------------------------------------------------------
    I want the data to print for t1 seq = 1 in the following way:
    mani
           manager
           clerk
    julia
         developer
          clerk
          salesmanI have written the code in the following way but it was not displaying the result. Please correct me where i am going wrong.
    Note: the data should be displayed in hierarchical tree fashion.
    select 1, level, t3.title
    from t2, t3
    connect by prior t2.seq = t3.t2_seq and t2.t1_seq = 1
    start with t3.t2_seq IS NOT NULL;
    Thanks in advance,

    Hi,
    CONNECT BY queries operate on a table (or result set) where every row represents a node.
    In your tables, all the nodes on level 1 are in table t2, but all the nodes on level 2 are in table t3, so you have to do a UNION to make them all appear in a single in-line view.
    WITH
    u     AS
    (     -- Begin in-line view u, UNION of t2 and t3 as hierarchy
         SELECT seq     AS node_id,     -1     AS parent_id,     name          AS label
         FROM t2
         WHERE t1_seq = 1
    UNION ALL
         SELECT NULL     AS node_id,     t2_seq     AS parent_id,     '   ' || title     AS label
         FROM t3
    )     -- End in-line view u, UNION of t2 and t3 as hierarchy
    SELECT     label
    FROM     u
    START WITH     parent_id     = -1
    CONNECT BY     parent_id     = PRIOR node_id
    ;This assumes that -1 is never used as a key in your tables.
    Instead of using LEVEL and L- or RPAD to indent children under their parents, I relied on the fact that all the rows from the same table would be at the same, fixed LEVEL. It might be more efficient to continue that reasoning farther, and consider this problem not as a CONNECT BY query at all, but a master-detail query:
    WITH
    v2     AS
    (     -- Begin in-line view v2, relevant data from t2
    SELECT     seq          AS t2_seq
    ,     -1          AS t3_seq
    ,     name          AS label
    FROM     t2
    WHERE     t1_seq = 1
    )     -- End in-line view v2, relevant data from t2
    SELECT     label,                    t2_seq,     t3_seq
    FROM     v2
    UNION     
    SELECT     '   ' || title     AS label,     t2_seq,     seq AS t3_seq
    FROM     t3
    WHERE     t2_seq IN (SELECT t2_seq FROM v2)
    ORDER BY     t2_seq
    ,          t3_seq
    ;This second query produces the same lable column as the CONNECT BY query above, plus two other columns needed for sorting:
    LABEL             T2_SEQ     T3_SEQ
    mani                   1         -1
       manager             1          1
       clerk               1          2
    julia                  2         -1
       developer           2          3
       clerk               2          4
       salesman            2          5
       developer           2          8You can hide the extra columns with the SQL*Plus "COLUMN ... NOPRINT" command, or you can use another in-line view. (The sorting columns only have to be in the result set of the UNION query itselt.)
    In my results, julia appears with the developer role twice. That seems correct if table t3 includes both of these rows:
    3         2        developer
    8         2        developer

  • Can i have a check box in the hierarchical tree in the icons place, urgent!!! please

    Hi,
    I'am working on the Hierarchical Tree structure which should have three levels, I need to have a check box in the place of the icon & if i select a node that node & the child nodes should get selected.
    After this when i say move selected ( i'am trying to use picklist class also) the entire checked tree has to move to the display area to the right & should display as tree structure & after this if i save then the checked records which are moved to another text area should get saved!!
    How to achieve this? I have the tree structure ready but the check box part is the worrying factor! & then moving the checked records to the right using picklist class is the second problem & finally saving records to database.
    Any help in this regard will be deeply appreciated:)
    If check box is not possible then i will have to look at other methods, will the tree structure allow checkboxes????
    Thanks
    Mahesh

    No the tree will not allow checkboxes

  • How to go to a particular node in a hierarchical tree?

    I want to do this simple thing with a Forms hierarchical tree.
    Since tree has lots of levels and branches I want to give a search box.
    User types the label and press a button. The form then has to query the tree node and expand ONLY the path where the node is (if found) and highlight it. If a node with a label is NOT found I give an error message to the user.
    I got hold of a code segment to explode a tree and modified it, but it does not work. The entire tree is expanded and you don't know where you are.
    Any help will be greatly appreciated?
    PROCEDURE Expand_All_Nodes_in_Tree IS
         node ftree.node;
         htree ITEM;
         state varchar2(30);
    BEGIN
         -- Search the tree identifiant --
         htree := Find_Item('menu.tree');
         -- Search the root --
         node := Ftree.Find_Tree_Node(htree, '');
         -- Expand all nodes --
         WHILE NOT Ftree.ID_NULL(node) LOOP
         state := Ftree.Get_Tree_Node_Property(htree, node, Ftree.NODE_STATE);
         IF state = Ftree.COLLAPSED_NODE THEN
         Ftree.Set_Tree_Node_Property(htree, node, Ftree.NODE_STATE, Ftree.EXPANDED_NODE);
         END IF;
         node := Ftree.Find_Tree_Node(htree, '', ftree.find_NEXT,Ftree.NODE_LABEL,'', node);
    IF Ftree.Get_Tree_Node_Property(htree, node, Ftree.NODE_LABEL) = :ctrl.node_lable_to_search THEN
    EXIT;
    END IF;     
         END LOOP;
    END;

    Hi Channa,
    Try this code with you tree i am using the same situation and this code is working perfect with me.
    PROCEDURE find_node_in_tree(search_string varchar2, find_type varchar2) IS
    htree ITEM;
    search_start_node ftree.node;
    find_node ftree.node;
    BEGIN
    htree := Find_Item('blk_tree.main_tree');
         search_start_node := nvl(ftree.get_tree_selection(htree,1),ftree.root_node);
         find_node := ftree.find_tree_node(htree,upper(search_string)||'%',ftree.find_next,ftree.node_label,ftree.root_node,search_start_node-1);
         if find_node = 0 then
              find_node := 1;
    end if;
    Ftree.Set_Tree_selection(htree, find_node, Ftree.SELECT_ON);
    exception
         when others then
              NULL;
    END;
    -Ammad

  • Problem in alphabetical sorting

    Hi all
    In reference to the following query posted:
    Well, try this :
    SQL> with tbl as
    2 (select 'sap' c1 from dual union all
    3 select 'sip' from dual union all
    4 select '1123' from dual union all
    5 select '1pouet3' from dual union all
    6 select 'test' from dual union all
    7 select '678' from dual union all
    8 select 'test2' from dual )
    9 select c1
    10 from
    11 (select 0 as c2, c1 as c1
    12 from tbl
    13 where translate(c1,'0123456789 ',' ') is not null
    14 union all
    15 select row_number() over (order by to_number(c1)), c1
    16 from tbl
    17 where translate(c1,'0123456789 ',' ') is null)
    18 order by c2,c1;
    C1
    1pouet3
    sap
    sip
    test
    test2
    678
    1123
    7 rows selected
    I am thankful that your query worked out well....
    But then I have a problem with it.
    It does sort the list first alphabetically and then numerically. But the problem is, in alphabetcal sorting.It takes all the the words starting with capital letters as one set and the ones starting with small letters as a different set.So it will first alphabetically sort the capital words first, then the set of small letter words and finally the numbers. For eg:
    LIST
    annie
    apple
    Carrot
    zaire
    Zap
    123
    Yougurt
    345
    Ant
    Break
    Dark
    success
    After sorting it will give the list like this:(this is not what i need)
    LIST
    Ant
    Break
    Carrot
    Dark
    Yougurt
    Zap
    annie
    apple
    success
    zaire
    123
    345
    But I want the query to take the list of alphabetical words as one single set. I dont want it to make a differentiation between capital letters and small letters.
    Also after sorting the capital and small letters in the original value should remain as such.i.e.; the data should not changed.Only the order should change.
    So after performing the sort operation the list should be like:
    (this is how I need)
    LIST
    annie
    Ant
    apple
    Break
    Carrot
    Dark
    success
    Yougurt
    zaire
    Zap
    123
    345
    Could you please suggest me a solution to my problem.
    Thanking in advance......
    Aswathy.

    What's your Oracle version?
    check this article.
    It covered your question very good,
    http://orafaq.com/node/999
    In summary, 10GR2 before, set NLS_COMP=ANSI
    SQL> alter session set NLS_COMP='ANSI' ;
    Session altered.
    SQL> alter session set NLS_SORT='BINARY_CI' ;
    Session altered.
    SQL> select * from invoice_demo order by supplier_name ;
    INVOICE_ID SUPPLIER_NAME
          1003 janus pet supply
          1001 MAX BOOKS
          1000 Max Books
          1002 max books10gR2 later,
    NLS_COMP=LINGUISTIC
    SQL> alter session set nls_comp='LINGUISTIC';
    Session altered.
    SQL> select * from invoice_demo
      2  where supplier_name like 'M%';
    INVOICE_ID SUPPLIER_NAME
          1000 Max Books
          1001 MAX BOOKS
          1002 max books10gR2 new feature: Case Insensitive Sorts & Compares

  • URGENT *** Hierarchical Tree in Forms 9i *** URGENT

    Hello everybody,
    for my company I need to build a hierarchical tree item, that will display static data over three levels. Let's say: departments, employees and employee projects.
    How do I fill the Item?
    When do I fill the Item?
    Where do I fill the Item?
    What are the elements of the SQL query, that fills the hierarchical tree?
    Any help will be appreciated
    [email protected]

    Note:210663.1 helped a bit.
    I used the database column as the third element in the select part and put NULL as the fifth element. Then it worked.
    Now I am looking for the way to add the employees, when the user selects / activates a department node.

  • Hierarchical Tree error - fighting for over a year

    For over a year now, our Oracle forms have presented an elusive problem with Hierarchical Trees. First some core information:
    We are running Developer 6i, patchset 8, on a Sun host and an Oracle 8i database. Our forms are deployed over the web on the
    Oracle Application Server using J-Initiator 1.1.7.27.
    Now, only on our Production platform, and only during busy times of the day, we randomly get the error "Invalid Query for Hierarchical
    Tree" when one of our tree-based forms populates the tree. This error is sometimes followed by the infamous
    FRM-92100 "connection has been terminated" error. This happens whether building the tree with a single Selec and Populate Treet,
    or via a systematic series of Add Tree Node calls.
    We have tried rebuilding the form logic to eliminate form corruption, (form corruption - happens if you open a large FMB in the
    forms developer without first being connected to the database, manifests itself as random and odd form behaviour,
    or FRM-92100 errors, Oracle product support denies it really happens), we have added debug code, we've even tried generating
    the FMX on the Production platform as part of our deployment (normally we generate FMX files on our Integration platform
    which mirrors Production).
    We are not scheduled to upgrade for Forms 9i and the 9IAS for several more months, so upgrading isn't an immediate option for us.
    Any and all ideas welcome.
    Jeff Cline

    Hi Nigel,
    Two questions:
    1. When the publisher sends the access permission to the subcriber by:
    netStream.send("|RtmpSampleAccess", true, true)
    , on the subscriber side, what event or function can handle the guaranteed receipt of the access permission? Currently it is possible to draw the incoming stream video upon receiving NetStream.Play.Star and waiting for 5 seconds or so:
    public class MyWebcamSubscriber extends WebcamSubscriber {
    override protected function layoutCameraStreams():void
    // trying the event listener seems to work here.
    _streamManager.addEventListener(NetStatusEvent.NET_STATUS, onNetStatus);
    override protected function onNetStatus(e:NetStatusEvent):void
    super.onNetStatus(e);
    case "NetStream.Play.Start":
    setTimeout(function():void {
    // draw the video from the incoming stream here.
    }, 5000);
    The questions is, which event can let the subscriber know that it has the access permission to the video stream?
    2. In WebcamPublisher, why is that the access permission is sent 3 times?
    a. Once on receiving NetStream.Connect.Success with 0.5 second delay, as in below.
    b. Once immediately upon receiving NetStream.Connect.Success, as in below.
    protected function onNetStatus(p_evt:NetStatusEvent):void
    if (p_evt.info.code=="NetStream.Connect.Success") {
    setTimeout(sendSnapShotPermission, 500);
    _stream.send("|RtmpSampleAccess", true, true);
    protected function sendSnapShotPermission():void
    _stream.send("|RtmpSampleAccess", true, true);
    c. Once in onConnectionTypeChange() with 2 seconds delay:
    protected function onConnectionTypeChange(p_evt:StreamEvent):void
    if ( _streamManager.isP2P) {
    _stream= new NetStream(_connectSession.sessionInternals.session_internal::connection as NetConnection,NetStream.DIRECT_CONNECTIONS);
    setTimeout(sendSnapShotPermission, 2000);

  • It's possible to make Hierarchical Tree from multiple tables ?

    the famous example for Hierarchical Tree is about employee_id and manager_id field in employees table ............ so I was wondering it's possible to make[b] Hierarchical Tree from multiple tables ? and How ??
    if the answer associate with example that will be so kind of you :D
    and thanks in advance.

    HI
    use curose in when new form instance or procedure then u can got data more then one table like that
    DECLARE
    htree ITEM;
    top_node FTREE.NODE;
    new_node FTREE.NODE ;
    child_node ftree.node ;
    item_value VARCHAR2(30);
    cursor prime_cur is select main_desc mgr_name, main_code dept
    from pur_item_group_mst;
    cursor child_cur(v_dept number) is select sub_desc,sub_code
    from pur_item_group_dtl where main_code = v_dept ;
    BEGIN
    htree := Find_Item('tmp.tree4');
    for dummy in prime_cur loop
    new_node := Ftree.Add_Tree_Node(htree,
    ftree.root_node,
    Ftree.PARENT_OFFSET,
    Ftree.LAST_CHILD,
    Ftree.EXPANDED_NODE,
    dummy.mgr_name,
    'D:\ORYX_POLYBAGS\accept',
    dummy.dept);
    for child in child_cur(dummy.dept) loop
         child_node := Ftree.Add_Tree_Node(htree,
    new_node,
    Ftree.PARENT_OFFSET,
    Ftree.LAST_CHILD,
    Ftree.EXPANDED_NODE,
    child.sub_desc||' '||'('||child.sub_code||' '||')',
    'D:\ORYX_POLYBAGS\next',
    child.sub_code);
    end loop;
    end loop;
    END;
    Rizwan Shafiq
    www.rizwanshafiq.blogspot.com

  • Alphabetical sorting in album view broken in 3.4.0

    Upon updating to Spotify 3.4.0, I noticed that alphabetical sorting of albums, by artist or title, no longer works correctly. Neither killing/restarting the app nor deleting/reinstalling it has any effect. This is on iOS 8.3.  This is when sorting by artist. Boris, Brian Eno, Burial, Busta Rhymes, then Beyonce, back to Burial, Beyonce, then Beastie Boys. It's a total mess. Sorting by album title is in slightly better shape, but articles really screw it up.  It takes everything that starts with "The" and sticks in in between the S's and T's. Well, almost everything:  Here we've got a few stragglers stuck between T and U. None of this makes any sense and it's a real pain. Apple Music comes out tomorrow, and I'm surprised that Spotify thought it was a good idea to roll out an update with a major issue like this right before a big competitor's launch.

    This was my reply. It was done quickly but I think it gets the point across.
    Qte
    thank you Andrea for your reply,
    That's a big shame if this change was intended. To have your Albums listed in a casual order and not Alphabetically seems a huge step back for the iOS version and all of its users. It makes that menu redundant in all honesty, especially if you have over 100 albums. Why change or take away a very important part of the experience that a lot of users want?
    For instance, this morning I regrettably started my 3 month trial with Apple Music to see how this experience is. As much as I didn't want to, I felt like I should give it a try, since the main part of my experience with Spotify has changed/gone.
    They list the Albums exactly like Spotify used to (before the last update). So in Artist Alphabetical order, with the Albums underneath in alphabetical order too. This means I can scroll through all of "My Music" in alphabetical order without realising some artists are at the top or bottom and mixed in with others.
    For me, it makes no sense at all for Spotify to change this. It now looks a mess and the "Album" section to me, and others, is now useless. I now have to filter "Artists" and select that, to then select an album I want. This is not intuitive at all. As I said, it's a step backwards.
    I hope the team look at this seriously, because it could possibly put users off the experience. I for one have defended the Spotify team on forums such as Reddit, who mostly put the team down for the huge problems on the desktop version recently, saying its a step backwards for most features. I now seem a bit bewildered why the team are also doing this for the iOS version.
    I think you get my point anyway. To change something so important without explanation is madness. Your team need a lot more communication with it's users, or you could be losing quite a few of them to an alternative streaming service.
    I hope this feedback helps. If you require any more information please let me know.
    Unqte

  • Alphabetical sort in Music app is messed up

    Good day to everyone, I hope someone will help me with my problem. As you can see on the screenshot, alphabetical sort of my music in default Music app is messed up, for example song which name starts on B can appear in the middle of songs on C. I am not sure when this problem started, but I believe it started after I updated iTunes to 11.1.1. I tried using older version to no luck. I never found this exact problem with Google, but I didnt find any. With similar problems people said that you should reset your setting and it didnt help me.

    Looks like Google has a server problem in Asia:
    https://discussions.apple.com/thread/3467711?tstart=0

  • How to set the control-on hierarchical tree nodes

    Hi,
    I have created form in which at the left it has hierarchical tree structure(BOM) and towards the right it brings up the query results for selected node.
    Now, I have a button upon clicking which I navigate to the root node by issuing
    "Ftree.set_Tree_selection(htree, 1, Ftree.select_on);".
    But, it cannot automatically run the ' when-tree-node-selected' trigger '.
    any solution???
    Its really urgent.I have a customer demo on monday.
    Please help me asap.
    regards,
    Nagadeep.

    Hello Nagadeep,
    couldn't you just put the code from the trigger into a procedure
    and run that after the navigation to the item?
    Just a thought,
    Bernd
    The docs state that:
    No programmatic action will cause the When-Tree-Node-Selected trigger to fire. Only end-user action will generate an event.
    Probably due to performance reasons.
    Bernd
    Message was edited by:
    Bernd Prechtl

  • CCM 2.0: Alphabetic sorting of product categories

    Hi,
    We are using CCM 2.0. I am interesting in influencing the sorting of product categories during a catalog search. We use both the hierarchy and the index search.
    It seems that the product categories are sorted by the product category number. We would prefer to provide an alphabetic sorting of product category description to the employees.
    Can we influence this? and if so how?
    Your reply is highly appreciated.
    Kind regards,
    Martijn
    P.S. Edit Catalogs > tab Content > Radio button "Sort by" ID or Description keeps jumping back to ID as default even after saving.
    Message was edited by: M. Roggeband

    Hi Martijn
    Unfortunately there is no simple way to influence the sorting of categories in the hierarchy search. We are focusing the same problem. Due to this problem we recently wrote an OSS-Call to SAP. They replied that this system behavior (sort by category-id) is standard and we should either modify our system or send a customer request. We are doing both. Last week I sent a customer request to SAP and soon we will try to modify the method SORT_CATEGORY_LIST in an appropriate way.
    If you think SAP should solve this problem, please send a customer request to SAP too. The more requests they get the better chance we have, that they will do something.
    Kind regards
    Reto

  • Specifying alphabetic sort order for other languages.

    The alphabetic sort order differs slightly for other languages then the English one. I rewrite the alphabetics in the special text flow of the Reference Page of the index file, regenerate the index file, but the result is wrong. The special Group Title characters for greek, hungarian, czech, russian etc. languages are combined among latin Group Title characters.
    We work in FM 8 to create 3000 pages technical documentation in 14 languages. The output will be pdf file and help system. Our main problem now the index Group Titles sort order. Could you help me to solve this problem?
    Thank you so much
    Eva

    Michael,
    Thank you so much for your answer. It works great. I have a promlem only one letter, which is in the Czech alphabetics: "Ch". This letter would be after the "H". I have edited the sort order like this:
    Symbols[\ ];Numerics[0];A;B;C;Č;D;E;F;G;H;Chch;I;J;K;L;M;N;O;P;Q;R;Ř;S;Š;T;U;Ú;V;W;X;Y;Z 
    <$symbols><$numerics>Aa Bb Cc *Čč* Dd Ee Ff Gg Hh Chch Ii Jj Kk Ll Mm Nn Oo Pp Qq Rr Řř Ss Šš Tt Uu Úú Vv Ww Xx Zz
    The result in the generated index is, that the index entries beginning with Ch comes on below "C" and the GroupTitle "Ch" is disappearing. Take a look at the result in the generated index file, what I am talking about:

  • Finding proper help on Hierarchical Trees

    Have spent a couple of hours trying to navigate the sprawling website of oracle.com with the purpose finding and then downloading the appropriate help file. I downloaded
    Oracle9i Developer Suite Release 2 Documentation Library
    from
    http://www.oracle.com/technology/documentation/ids.html
    Its about 130Mb, installed it, but could i find comprehensive documentation on using Forms 9i (in particular Hierarchical Trees) no, but everything else it seemed yes. The original doc that pre-installed with the 9i DS 'online help' is reasonably helpful but like some others on this forum I could not find proper help on how to use Hierarchical Trees all i could find was few descriptive portions of text and believe me i have looked.
    Others have said they found examples of Hierarchical Trees usage i can only assume they are using 10g. So this is a desperate plea to you. Can you point me to an online resource that deals with Hierarchical Trees in Forms 9i (intro, usage, examples, etc). If you can i would deeply appreciate it.
    Mr Frustrated :)

    Hi,
    You have a lot of sample With the Forms Help.
    If you search in the index with "htree."
    The command hierarchical tree complete list appear.
    L.

Maybe you are looking for

  • Cannot view Crystal Report in JSP page ( error loading ? )

    Hi,           Can someone please help or pass on any suggestions,           I am trying to view my crystal report (test.rpt) in my JSP page but get the following error and im having trouble sorting it out. I am using Crystal 10 with weblogic. My repo

  • Pass hidden values to same page by clicking on href

    I have A.jsp page which has some dynamic hidden fields.The respective code is given below: <script language="javascript"> function submitForm() {document.main.action="main.jsp"; document.main.submit(); } </script> <form name="main"> HOME <input type=

  • Exchange rate over ride not possible

    Hello we have for a certain date the exchange rate defined in TCURR as GBP->USD @ .50448 for usage type "M". But for few entries we want the exchange rate to be a different value. When we enter the document via FBV1 - we put the amount as 200 GBP (co

  • Im not Able to Zoom in on Content in iBooks,Please Help

    I would like to get an answer for the above question ASAP...

  • Pico Drive ROM's

    Hello Does anyone helps me find Picodrive rom's for my N900. Are they specific or work on any device? Many thanks Solved! Go to Solution.