Portfolio Item - Change tab order

Hello Everybody
I want to know how is possible to change the order of the Item tabs ?
For Example, If I want to display the tab "Phases and Decisions" in first position before the "Overview" one, what must I do for this result ?
Thanks for your help
Rémy

Hi,
I think you can do it in  this path :
Transaction SE80 -->Package RPM_UI_WD -->Webynpro --> ApPlication Component -->RPM_ITEM_DETAILS_CFG --> Start configurator --> Change --> Component Configurator --> Variant RIH_CREATE --> here you can see the views and each view has a sequence Index.
Regards,
Sara

Similar Messages

  • Control Click to Change Tab Order

    I know there are new ways to move the field names around to change form fields, but I miss the ability to change tab order by control clicking on the field. I like the new ones, but would like to have the old way also.

    You can get the coordinates of the mouse "drop" relative to the scene in the onDragDropped handler with
    event.getSceneX() and event.getSceneY().
    You can get the location of the top left of a node relative to the scene with
    private Point2D getSceneLocation(Node node) {
         if (node.getScene() == null) {
              return new Point2D(0,0);
         double x = 0 ;
         double y = 0 ;
         for (Node n = node ; n != null; n=n.getParent()) {
              Bounds boundsInParent = n.getBoundsInParent();
              x += boundsInParent.getMinX();
              y += boundsInParent.getMinY();
         return new Point2D(x, y);
    (and you can get the other corners of the node simply by adding the width and/or height from node.getBoundsInLocal() to the result of that if you need.)
    So if you ensure every tab has a graphic, you can iterate through the tabs and do something like
    int dropIndex = 0 ;
    for (Tab tab : tabPane.getTabs()) {
         Point2D tabLocationInScene = getSceneLocation(tab.getGraphic());
         if (tabLocationInScene.getX() > event.getSceneX()) {
              break ;
         } else {
              dropIndex++ ;
    tabPane.getTabs().add(dropIndex, tabToBeAdded);
    Ensuring every tab has a graphic probably just means setting the text to an empty string and setting the graphic to a Label containing the text; or I guess you could just use a zero width and height Rectangle, or some such.

  • Changing tab order

    I have created a generic form and then used it as the base for my custom forms.  I had used radio buttons on one section and realized that is not the correct format so I changed them to check boxes.  When I made the change it completely messed up the tab order even though all I did was change the format from radio to check box.  Any ideas why this happened and how to prevent it?  I have 90 custom applications that now have to be changed and fixing the tab order is taking forever.  Any help is greatly appreciated.

    You can rearrange the Tabbing Order through the Tab Order pallete. Did you try that?
    Tab Order pallete can be opened from Window menu
    Nith

  • Changing tab order of JTextfield

    hi,
    in my below code i've four textfields and i want to change the tab order of those textfields. i tried setNextFocusableComponent() but getting error on using this method. So plz tell me how it cud b done?
    the error is: demo.java uses or overrides a deprecated API.
    Recompile with -deprecation for details.
    if ne body knows the meaning of this error & how to recompile with -deprecation plz tell me
    import javax.swing.*;
    import java.awt.*;
    public class demo
    public static void main(String args[])
    JFrame f = new JFrame("Demo");
    f.setSize(640,480);
    f.setLayout(null);
    f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    JTextField a = new JTextField(10);
    JTextField b = new JTextField(10);
    JTextField c = new JTextField(10);
    JTextField d = new JTextField(10);
    a.setBounds(100,100,100,25);
    b.setBounds(100,150,100,25);
    c.setBounds(200,100,100,25);
    d.setBounds(200,150,100,25);
    f.getContentPane().add(a);
    f.getContentPane().add(b);
    f.getContentPane().add(c);
    f.getContentPane().add(d);
    // on adding these lines m gettin' error...
    a.setNextFocusableComponent(c);
    c.setNextFocusableComponent(b);
    b.setNextFocusableComponent(c);
    c.setNextFocusableComponent(a);
    f.show();
    }

    This is all you need to understand to get going --
    -- the Component returned by the method getComponentAfter (...) will get the focus on pressing Tab
    -- the Component returned by the method getComponentBefore (...) will get the focus on pressing Shift+Tab
    -- the Component returned by the method getDefaultComponent (...) will get the focus when the parent panel is displayed
    Try to understand this Really Bad Example, then apply what you have understood to the sample you downloaded, which uses a Vector to store a list of Components and returns the next/previous Component for get..Before and get..After, wrapping around from the last to the first element and vice versa; also returns the first/last element for getFirst... and getLast... and the first element for getDefault...
    Run this code and navigate by Tab or Shift-Tab, then uncomment the line I marked and try again. You'll understand.package ashwin;
    import java.awt.Component;
    import java.awt.Container;
    import java.awt.FocusTraversalPolicy;
    import java.awt.GridLayout;
    import javax.swing.JFrame;
    import javax.swing.JPanel;
    import javax.swing.JTextField;
    import javax.swing.SwingUtilities;
    public class ReallyBadExample extends JFrame {
        private JPanel nyPanel;
        private JTextField myTextField1, myTextField2, myTextField3;
        private static MyFocusTraversalPolicy myFocusTraversalPolicy;
        public ReallyBadExample () {
            setLayout (new GridLayout (0,1));
            setDefaultCloseOperation (JFrame.EXIT_ON_CLOSE);
            myTextField1 = new JTextField ();
            add (myTextField1);
            myTextField2 = new JTextField ();
            add (myTextField2);
            myTextField3 = new JTextField ();
            add (myTextField3);
            myFocusTraversalPolicy = new MyFocusTraversalPolicy ();
            // Uncomment the next line and see the difference
            //setFocusTraversalPolicy (myFocusTraversalPolicy);
            pack ();
            setVisible (true);
        class MyFocusTraversalPolicy extends FocusTraversalPolicy {
            public Component getComponentAfter (Container aContainer, Component aComponent) {
                if (aComponent == myTextField1) {
                    return myTextField3;
                } else if (aComponent == myTextField2) {
                    return myTextField1;
                } else return myTextField2;
            public Component getComponentBefore (Container aContainer, Component aComponent) {
                if (aComponent == myTextField1) {
                    return myTextField2;
                } else if (aComponent == myTextField2) {
                    return myTextField3;
                } else return myTextField1;
            public Component getFirstComponent (Container aContainer) {
                return myTextField2;
            public Component getLastComponent (Container aContainer) {
                return myTextField2;
            public Component getDefaultComponent (Container aContainer) {
                return myTextField2;
        public static void main (String[] args) {
            SwingUtilities.invokeLater (new Runnable () {
                public void run () {
                    try {
                        new ReallyBadExample ();
                    } catch (Exception ex) {
                        ex.printStackTrace ();
                        System.exit (1);
    }db

  • Changing tab order in Acrobat XI

    Is there a way to get Acrobat XI to change the tab order by clicking the field like we did in older versions? I've had good luck using sort by row, but the form I'm working on now isn't sorting by row correctly.
    Thanks for the help!!
    Ken K. - 2191  

    Thanks Gilad.  I'm getting used to the newer way of ordering tabs.

  • Control/change tab order

    How does one control the tab order (the order in which controls are visited when the TAB key is pressed) in a JavaFX 1.3.1 application?
    It isn't always the case that one wants the tab order to be the same order as used in the layout.

    Thanks a lot for your help guys.
    Let me explain a little bit more my problem, maybe you guys get a good way to do this.
    Ok, I have a tab control with 4 tabs (Auto Mode, Manual Mode, Troubleshooting and Configuration) in that order. In the "Auto Mode and Manual Mode tabs I have a selector switch to select the operation mode (auto or manual). Now, when I have the switch in auto mode, the manual mode tab page is hidden, when I change the selector switch to manual mode the manual mode tab page is unhide, the auto mode tab page is hide and the manual mode tab page is automatically selected. This happens because my manual mode page is the second one and when the page before is hidden the next one get active. The problem came up when I change the switch back to manual mode. I want that the auto mode page unhide, the manual mode page hide and the auto mode page get active, but instead the page that came active is the troubleshooting page since this is the one after the manual mode page.
    So, what I was planning to do was to rearrange the pages order when auto or manual mode are selected so that the second page be always the hidden one.
    Maybe I confuse you guys more, but that'sthe idea. If something came out of your mind, I really appreciate the help.
    Ferdinand Martinez
    FMO Automation LLC

  • Changing Tab order in a completed form without altering or moving fields here and there

    Hi All,
    I've made a complex questionairre and is almost complete. Now the problem is that when I converted this file from Word, many fields were automatically detected and their tab order/ numbering was set by Acrobat itself. The remaining fields in the form (at different places) were created by myself. Now in the tab ordering, the fields automatically detected have priority and the fields I created, are much different from the corresponding fields in tab numbering. For your understanding, I'm including the screenshot too. Please see the tab numbering in the image and after field # 7, there is field # 28, then field # 26, and then field # 29 which is not the way it should be.
    Please advise any solution (if there is any) on your earliest convenience.
    Thanks in anticipation!

    Have you opened the "Pages" navigation panel and looked at the options for the page?
    There should be a series of options like "Row", "Column" or "Unspecified". Select the "Row" and see if the form tabs the way you would like.

  • Changing tabs order in the JTabbedPane (DnD)

    Hi,
    I have a JTabbePane with different tabs in it and I want to be able to drag one tab and insert between other two with the mouse. Kind of like you can reorder sheet tabs in MS Excel. Does any one have an idea how this behavior may be implemented?
    Thanks a lot,
    Ilya

    Thanks for this idea. I misunderstood what you meant until Jeremy responded saying you were �right on the money�. I thought you meant that putting another plot in the array but making it transparent was going to help somehow, but now I understand that you mean plotting the �up front� data to a separate XY graph indicator which is transparent and overlaying the original XY graph. I may wind-up doing this. I�m just not excited about linking all the scaling info from one graph to the scaling of the transparent graph and creating the necessary event handling so that when the user scales one graph or changes the auto-scaling, the other graph�s scales gets updated, but perhaps it�s the only way. Thanks again for your input.

  • How to set Tab ordering in JPanel

    hi all
    i add a JPanel on a JFrame and Various swing Controls on that JPanel. now i want to change tab ordering of components present in my JPanel.
    please guide me how can i do this. i have tried setFocusTraversalPolicy but it does not work with JPanel.

    You should read the article from Sun:
    "How to Use the Focus Subsystem"
    http://java.sun.com/docs/books/tutorial/uiswing/misc/focus.html
    Moshe

  • You changed the order of the menu for "Open in a new window" or "Open in new Tab", How can I change it back? Or how can I omit any reference to tabs? I do not use them at all.

    You changed the order of the menu for "Open in a new window" or "Open in new Tab", How can I change it back? Or how can I omit any reference to tabs? I do not use them at all.

    You can use the Menu Editor add-on to rearrange or remove menu items - https://addons.mozilla.org/firefox/addon/menu-editor

  • Sales Order - Using Item Category "TAB Individual PO" / convert PReq to PO

    All,
    I am configuring for the first time utilizing Sales Document Item category "TAB" - Individual Purchase Order. I have a few questions:
    Is there a best practice/baseline package configuration guide specific for this process? I have found the 'third party' baseline package J54, but nothing so far on "individual purchase order from sales order'.
    During Purchase Order Create from the Purchase Req. is there a way to default Purchase Order Type "UB" stock transfer from the Purchase Requisition type NB?  Currently in my system, the PO type defaulting is NB and it needs to be UB.  I thought this could be done based on the schedule line "CB" configuration (spro/SD/Sales/Sales Docs/Schedule Lines/Define Schedule Lines), changing the 'item category' to 7 stock transfer.  Then, for the configuration setting spro/MM/Purchasig/Purchase Req/ Define Document Types, this would carry into the mapping for purchase requisition type NB/item category stock transfer to purchase order type UB/item category stock transfer. However, when I set '7' on the schedule line CB, I then receive a hard error when creating my purchase req to set the supplying plant. I have more than one supplying plant, so I'm not sure if setting the '7' for schedule line CB is the right setting for this process. From what I've been able to find for documentation, the item category of the schedule line should be set to '0' standard.  My plan is to convert the PReq's into PO's in background, but I need to default the correct PO Type.  Any help would be useful.
    Regards,
    Sandra Miner

    Hello,
    would you be so kind and provide note number?
    Andrzej

  • How do I change the order of context menu items in Private Windows?

    In the context menu that appears when I right-click on a link, I prefer to have "Open Link in New Window" at the top of the menu instead of "Open Link in New Tab". I have added code to userChrome.css to make that switch:
    #context-openlink {
    -moz-box-ordinal-group: 1 !important;
    #contentAreaContextMenu > * {
    -moz-box-ordinal-group: 2;
    Firefox version 20 added Private Browsing Windows. The above code still works for the non-Private windows, but doesn't affect the Private Windows, so in those I still have "Open Link in New Tab" at the top of the context menu, and "Open Link in New Private Window" as the second item. Is there a way to change the order of these menu items in Private Windows?

    Clarification: In the code snippets above, the "1."s are supposed to be pound-signs; they got auto-reformatted incorrectly.

  • Modify Sales order Item additional tab B

    I need to modify Sales order item additional tab B ...by removing the exisitng fields and should add some new fields ....which is ok. But does it have any impact becoz the same screen fields coulbe used in any of the other transaction .......i  just wanted to know if we remove the fields from sale orde item additional tab B and some new details will have some impact

    Hi,
    Before making any modifications check "Where-used". If it is in some other program other than the VA01/02/03, then better consult your lead before modifying.
    If you do not find, go ahead and make the changes confidently.
    Regards,
    Subramanian

  • How to change the order of the tabs in featured news?

    Hi,
      I use the 'Featured News' widget on my company website and it has 10 tabs. The newest item is at the top but when I add a new tab it goes to the bottom and I can find no way of changing the order of the tabs so that everytime I add new news I have to copy each tab and it's content down one place in order to get an empty tab at the top to put the new news item in. This takes an unneccesssarily long period of time. Can someone please let me know if there is an easy way to change the order of the tabs?
      Thanks very much ;0)
            Justine

    Just click on the title tab until it is isolated (one click before the text is highlighted) and move the tab to the position you want.
    Thanks for your reply. I've done this in the past but found that the position of the tab in terms of it's place in the hierachy doesn't change so if I move the top tab down one, the way you've described and then upload the page I find that the second tab down (which was the first previously) displays first. How can I change the 'position of the tabs interms of their hierachy in the widget?
      Thanks again
         J

  • How to change the tabbing order of an array of clusters?

    How to change the tabbing order of an array of clusters?  I have the cluster arranged in table in the front panel.   The cluster element goes horizontal and array element goes vertically.   When I press the tab key, the cursor goes to the next array element instead of the next cluster item (down instead across).
    Solved!
    Go to Solution.

    Broken Arrow wrote:
    Harold asked a perfectly reasonable and necessary question, but how is that a Solution ???
    I believe it is called the Socratic Method.
    Sea-Story time
    I had the privledge of working for Ron Davis when he managed the Allegheny District of DEC. He was an ex-WO4 (Highest possilbe rank for non-commisioned officer in US Navy, required act of congress to confirm).
    Ron never answered any question I ever saw presented to him. I remember a group of managers in a frenzy over some issue  running to him to to see what he thought. He asked them a series of questions that lead them to the solution and soon they were smiling and slapping each other on the back as they walked away.
    Who is that has a signature that read "it is the questions that guide us"?
    Ben
    Ben Rayner
    I am currently active on.. MainStream Preppers
    Rayner's Ridge is under construction

Maybe you are looking for