Difference in action menu , infotype menu, actions

can somebody tell me difference in these three with screen shots.
Kind regards,
Shruti

Actions - YOu organisation will have certain events which will be performed during the employees life term in that company, such as Hiring, Transfer, promotion etc. These u will configure in PM--> PA --> Customising procedure --> Actions > setup personnel actions. After u configure actions, you will configure the infotype menu, i.e the infotypes you need to maintain for each actions. For eg: for Hiring you wil definitly need IT00, 01, 02 etc..and these infotypes will be executed in a sequence. So you wil create an infogroup and assign these infogroups to actions. PM> PA --> Customising procedure --> Actions --> Define Infogroups. These infogroups will be define in IGMOD.
Infotype Menu - This is what you will configure for PA30. For each tabs such as "Basic Employee data", Contract Data, Planning data, you wil decide what infotypes should be visible under it. Path: PM--> PA -->Customising procedure --> Infotype menu
Action menu - This is the  menu which will get displayed in pa40 screen. The actions you configure for your enterprise wil be displayed here.
Note: the reference user group no. which you will  maintain for action menu and infotype menu will have to be given in the UGR in User parameter

Similar Messages

  • Problem with invoking an Action in a Menu...

    I wanted to make a program that would create a box of rectangles and have each rectangle change color when clicked.
    I want the user to be able to decide which color you want the rectangle to be. I put choices in a menu.
    However whenever an option is selected from the menu, I get exceptions:
    Exception occurred during event dispatching:
    java.lang.NullPointerException
    at ShapeTest$ColorAction$ColorThread.run(ShapeTest.java:142)
    at java.awt.event.InvocationEvent.dispatch(InvocationEvent.java:154)
    at java.awt.EventQueue.dispatchEvent(EventQueue.java:337)
    at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:131)
    at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:98)
    at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:93)
    at java.awt.EventDispatchThread.run(EventDispatchThread.java:85)
    The code is displayed below. Am I missing something with the Swing thread? Please help.
    Josh
    import javax.swing.*;
    import java.awt.*;
    import java.awt.geom.*;
    import java.awt.event.*;
    // This Rectangle knows it's particular color
    class ColorRectangle extends Rectangle2D.Float
       private Color color;
       public ColorRectangle( float x, float y, float w, float h, Color c )
          super( x, y, w, h );
          color = c;
       public ColorRectangle( float x, float y, float w, float h)
          super( x, y, w, h );
          color = Color.white;
       public void setColor( Color c )
          color = c;
       public Color getColor()
          return color;
    } // end ColorRectangle class
       This is the main frame.
    public class ShapeTest extends JFrame
       private ShapeTestPanel panel;
       public ShapeTest()
          setTitle( "ShapeTest" );
          setSize( 500, 500 );
          setDefaultCloseOperation( EXIT_ON_CLOSE );
          JPanel panel = new ShapeTestPanel();
          Container cp = getContentPane();
          cp.add( panel, BorderLayout.CENTER );
          // Set up the menu
          JMenuBar mb = new JMenuBar();
          JMenu mColor = new JMenu( "Color" );
          mColor.setMnemonic( KeyEvent.VK_C );
          // Adding the actions to the menu
          mColor.add( new ColorAction("Blue", Color.blue, KeyEvent.VK_B) );
          mColor.add( new ColorAction("Green", Color.green, KeyEvent.VK_G) );
          mColor.add( new ColorAction("Red", Color.red, KeyEvent.VK_R) );
          mColor.add( new ColorAction("White", Color.white, KeyEvent.VK_W) );
          mb.add( mColor );
          setJMenuBar( mb );
       } // end ShapeTest constructor
       public static void main( String [] args )
          JFrame frame = new ShapeTest();
          frame.setVisible( true );
          This action inner class will be added to the menu to change the main color
          of the panel.
       class ColorAction extends AbstractAction
          private Color color;
          private ColorThread thread; // this is used to change panel color
          public ColorAction( String name, Color c, int keyEvent )
             putValue( NAME, name );
             putValue( MNEMONIC_KEY, new Integer(keyEvent) );
             color = c;
             thread = new ColorThread();
             Here I want to change the main color of the panel, so that
                clicking on a rectangle will now display a different color.
          public void actionPerformed( ActionEvent evt )
                I tried to just call the function panel.setMainColor( color ).
                EXCEPTION!!!
                I tried to make the mainColor variable public and access it.
                EXCEPTION!!!
                I tried to use SwingUtilities.invokeLater( thread ).
                EXCEPTION!!!
                I tried to use SwingUtilities.invokeAndWait( thread );
                EXCEPTION!!!
             try
                SwingUtilities.invokeLater( thread );
             catch ( Exception ex )
                System.out.println( ex );
          } // end actionPerformed( evt )
          // Inner class of an inner class
          class ColorThread extends Thread
             public void run()
                panel.setMainColor( color );
                // panel is a member of the frame.
          } // end ColorThread class
       } // end ColorAction class
    } // end ShapeTest class
    class ShapeTestPanel extends JPanel
       private Rectangle2D bigRect; // the outer rectangle
       private ColorRectangle [][] araRects; // the inner rectangles
       public Color mainColor = Color.blue; // will change inner rectangle
                                            //   color on mouseClicked
       public ShapeTestPanel()
          int x = 10;
          int y = 10;
          // Make the outer rectangle
          bigRect = new Rectangle2D.Double( x, y, 401, 401 );
          // Make the inner rectangles
          araRects = new ColorRectangle [4][4];
          int i, j;
          for ( x = 11, i = 0; i < araRects.length; i++, x += 100 )
             for ( y = 11, j = 0; j < araRects.length; j++, y += 100 )
    araRects[i][j] = new ColorRectangle( x, y, 99, 99 );
    addMouseListener( new ShapeTestMouseListener() );
    } // end ShapeTestPanel constructor
    // This will change the main color for clicking
    public void setMainColor( Color c )
    mainColor = c;
    // Draw the outer rectangle and the inner rectangles in the right color
    public void paintComponent( Graphics g )
    super.paintComponent( g );
    Graphics2D g2 = (Graphics2D)g;
    g2.draw( bigRect );
    for ( int i = araRects.length - 1; i > -1; i-- )
    for ( int j = araRects[i].length - 1; j > -1; j-- )
    g2.setPaint( Color.black );
    g2.draw( araRects[i][j] );
    g2.setPaint( araRects[i][j].getColor() );
    g2.fill( araRects[i][j] );
    } // end paintComponent( Graphics g )
    // I want the color to change when someone clicks on a rectangle
    class ShapeTestMouseListener extends MouseAdapter
    public void mouseClicked( MouseEvent evt )
    Point p = evt.getPoint();
    for ( int i = araRects.length - 1; i > -1; i-- )
    for ( int j = araRects[i].length - 1; j > -1; j-- )
    if ( araRects[i][j].contains(p) )
    araRects[i][j].setColor( mainColor );
    repaint();
    return;
    } // mouseClicked( MouseEvent )
    } // end ShapeTestMouseListener class
    } // end ShapeTestPanel

    replace the following line
    JPanel panel = new ShapeTestPanel();
    with
    this.panel = new ShapeTestPanel(); in the ShpaeTest constructor

  • New action in "Edit Menu" for List

    In a list, on title you can click the down arrow to the edit menu, from here you can view/edit delete etc...
    I want to add a custom action in this menu, or in the ribbon for my list.
    I want this action to simply open the current item in a certain pageview I have created in infopath. Thats it.
    Any ideas????

    Hi,
    According to your post, my understanding is that you want to add a custom action in ECB menu to open InfoPath form.
    There are two method to achieve it:
    (1)SharePoint Designer.
    Open the list in SharePoint Designer, click “Custom Action” to create item to navigate to the displayifs.aspx page.
    More information:
    Adding Custom Actions to the List Item Menu in SharePoint 2010 Using SharePoint Designer 2010
    (2)Visual Studio.
     Create Empty SharePoint Project, add feature and element, then deploy the project.
     The Element.xml is as below:
    <?xml version="1.0" encoding="utf-8"?>
    <Elements xmlns="http://schemas.microsoft.com/sharepoint/">
    <CustomAction
    Id="CA_WF_Init"
    RegistrationType="List"
    RegistrationId="100"
    ImageUrl="/_layouts/1033/Images/RTEDCELL.GIF"
    Location="EditControlBlock"
    Sequence="301"
    Title="My Custom ECB Menu Item" >
    <UrlAction Url="javascript:(function () {
    var o = {
    url: 'Item/displayifs.aspx?ID={ItemId}',
    title: 'InfoPath Form',
    allowMaximize: true,
    showClose: true,
    width: 700,
    height: 500
    SP.UI.ModalDialog.showModalDialog(o); }) ();"/>
    </CustomAction>
    </Elements>
    If you don’t want to display the page in dialog, you can use:
    <UrlAction
    Url="Item/displayifs.aspx?ID={ItemId}"/>
    The result is as below:
    More information:
    How To add custom menu item in SharePoint ECB Menu (Edit Control Block) via Feature
    SharePoint 2010 : how to open Modal Dialog in ECB Menu
    Thanks,
    Linda Li                
    Forum Support
    Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Subscriber Support, contact
    [email protected]
    Linda Li
    TechNet Community Support

  • Action pop-up menu

    The "Action pop-up menu" icon does not appear in iPad 4S iCloud toolbar as stated in Apple Support's "iCloud: Manage junk email" narrative.
    My goal is to create a junk file in the iCloud email accounts column and add a junk identifier icon in the toolbar.

    Atanas wrote:
    ... and reinstalled the iMovie only (one version down), but that didn't solve the issue....
    I've read sooo much trouble with those self-declared 'optimzers' ...-
    iM/iLife is heavy involved into the structures of MacOS, Quicktime, the iLife-apps itself are a 'suite' of integrated programs, they do share resources ...-
    I like this two numbers: out-of-the-box, a new Mac shows in Finder ~300 files & folders. +de facto+ more than 40.000 are installed ...
    with square #1, I meant a complete re-install of your Mac +in toto+ ...
    (usually, I NEVER give advice for any re-install, but reading 'optimizer' ... < shiver > )

  • Removing the vertical divider after the actions view format menu.

    Hi,
    i have a table in a applications table component on my UI. i've a UX requirement to remove the Actions, View, format menu along with the vertical divider next to these menus that comes with the applications table component. i could get rid of the three menus but have not been able to get rid of the vertical divider. so the apps table looks a li'l odd now. Any suggestions on how to get rid of the divider?

    Hi ,
    We the world outside Oracle donot use the Applications Table which is a purely ApplCore component.
    Please post this question on the internal ADF Frontend forum @ myforums.oracle.com

  • Dynamic left menu plus different action on each....

    Hi everyone. I am making a dynamic left menu using a datatable and links in it.
    I am using an xml file to read all the attributes associated with a link like label, id etc.
    <h:dataTable
                        value="#{sampleMB.menu}" var="menu">
    <h:column>
    <h:commandLink value="#{menu.label}" onclick="#{menu.onclick}" styleClass="subItem" action="??????????"></h:commandLink>
    </h:column></h:dataTable>
    The problem is how to assign the action from xml file here because the action attribute accepts a method with
    syntax String mathodname(). So I am not able to put something like #{menu.action} where action is a variable
    whose value I can read from xml.

    Thanks for the reply but can u please elaborate a bit more with some code. I hope u've understood my problem clearly.
    You can directly write a string in action like ::
    <h:commandButton value="Submit" action="myaction"></h:commandButton>
    where myaction can be mapped to anything in your navigation rules in faces-config
    But you cannot do something like this ::
    <h:commandButton value="Submit" action="#{sampleMB.strMyAction}"></h:commandButton>
    where strMyAction is actually a String variable. It gives an error like "Expression must be a method expression but is a value"
    See I am reading all the attributes associated with the commandButton form an xml file. So which action to invoke is also there in the xml. Now all these values including the action can be put in the String variables. The problem is how to invoke the method represented by that action String litral.

  • 1.Assign shortcuts to scripts 2. Actions remember insert menu commands when app is started

    It been ask before... Many times.  There is probably a current request right now.   It will be asked again... And again... And again...  Under keyboard shortcuts, allow scripts to assigned a shortcut.  Also have actions remember insert menu commands when the application is restarted.   Was patiently waiting years ago... Now I am starting to grit my teeth. When my dentist lectures me over grinding my teeth, she will not be as forgiving as I have been over the years.   It is time to set a small portion of available resources to fix and add functionality to this.

    OK, so at least we have one solution "with shortcut for script problem":
    1. Put "script.jsx" into folder  Mac OS X > Applications/Adobe Illustrator {version}/Presets/{Lang}/Scripts
    2. Make Action, "insert menu item" in it -> select "File\Scripts\script.jsx"
    3. Assign shortcut to this action. PROFIT
    But! The problem is: Illustrator "forgets" about menu item in action after restart.
    Therefore you can use script shortcut only one time per "session", and every time starting we need to make "insert menu item".
    Well, this is the second part of topic question, I guess. And I don't have solution. This is what I got:
    0. If you have several scripts with shortcuts, everyday inserting all scripts in actions is boring. Make a folder for this actions. And "Save actions" it to ".aia"
    1. Every time starting Illustrator — Delete folder with your special "scripts-actions" (because it's actions is emptied!)
    2. Then go to "File>Scripts>...". Now just gently stroke your scripts with cursor. Like a kitty. Ahahaha! )) It is not a joke!!! Do not start the scripts, just enter to its' submenu.
    3. Now "Load actions" from your .aia. Have a nice automated session with your magic scripts! This works for me. If you have daily work routine and 5-10 scripts, this is the best solution.
    * If you skip step 2, you will get "Some event has not been registered for actions"! And empty action. If first you will stroke the kitty, you will get your magic shortcuts after "Loading actions"! As I told, this not a joke, but strange Illustrator behavior.
    * If you did not delete previous folder (step 1), you'll get 2 folders with actions, old one — without scripts, new one — without assigned shortcuts. And nothing works. Delete all and reload.
    * One more thing. I have Scriptographer Extension. This extension manages scripts (js) and has "scriptographer palette". In this palette I found shortcuts, to execute selected script and etc. So, in theory it is possible to rebuild this extension with shortcuts for some scripts. Maybe we should dig in that direction? I'm too stupid for this.

  • How to make use of a Badi in dynamic action on infotype?

    Hi...
    i need to create a dynamic action on infotype 6 to create a record in infotype 207.
    I have to use badi for it.
    i need to use 'f' for 'Indicator for step'. right?
    kindly help..
    Thnx and regards.
    Abhi.

    Hi,
    Using F calls a routine and not BAdI.
    If record will directly be created then there is no need to write Z program and calling it using F indicator. However, in case there is some logic which can not be written directly in the Dynamic Action then you need to write that logic in a routine and call it using F indicator.
    VK

  • Creation of Infotype Menu

    Dear Sir/Mam
    Greetings of the day!!!
    I am in the process of creation of infotype menu. My infotype menu will be consisting of Basic Personal Data (S1) , Time Data (S2) , Payroll Data (S3). 
    I went into spro, then personal management then in to personal administration then into customizing procedures then in to infotype menu.
    In infotype menu i went into User group dependency on menus and info groups. There i created S1 , S2 & S3 and gave reference group 40.
    After that i went into infotype menu and there i created different infotypes which i need under S1, S2 & S3 respectively.
    Then i went in to Determine choice of infotype menu . Under that i went into User group dependency on menus and info groups. Under that i created Personal Administration (11) and gave reference group 40.
    Then i went int infotype menu. There i wrote 11 and under that S1, S2 7 S3
    But now when i going to PA30 it is not showing. I also want that the infotype menu which i have not created should not be shown,
    What should i do now? Have i missed any step?
    Please guide me....
    Regards
    Harshvardhan
    9312926182

    Hi,
    if you want to change it to '11', users will have to use the set-/get-parameter PMN (infotype menu), the corresponding infotype menu appears when you call the initial HR Master Data display/maintenance screen for the first time. Otherwise the infotype menu "01" is used.
    Wilfred.

  • How to setup infotype menu in OM

    how to setup our own infotype menu in OM?
    inputs plz.
    regards

    Hi Sathi,
    I hope hope your problem is not solved yet, so find my input.
    If you want to maintain a OM infotype menu the you can do that through OOIT tcode. Here you have to map each infotype with the Objects in which you want them to appear.
    Award points if useful.
    Regards,
    Bhupesh

  • How to maintain Dynamic Action for Infotype 2 .

    Hi SAP-HR Experts .
    I want to maintain Dynamic Action for Infotype 2 .
    If Employee's No. of Children exceeds then System immediately ask for maintenence of IT-21 also at the same time .
    How to maintain code in table V_T588Z .
    Please elaborate it .
    Thanks & Regards : rajneesh .

    Hi kanupriya .
    your reply was Very helpful for me u2026But i unable to achieve the desired result . I maintained the entries in View V_T588Z like this .My Objective is when some body update the Infotype 2 for a employee , and his/her no. of Childrens exceeds by 2 then system should jump into IT-21 for
    updation of IT-21 at the same time . I think this what Dynamic Actions work out .
    ==========================================================
         ANZKD 04 500 P PSPAR-TCLAS='A'
         ANZKD 04 175 P T001P-MOLGA='40'
         ANZKD 04 176 P P0002-ANZKD>='2'
         ANZKD 04 177 I INS,0021,2,01
         ANZKD 04 178 I INS,0021,2,02
    ==========================================================
    Please suggest me what to do , as the above entries are not workout .
    Your help will be very appreciated.
    Regards ,
    rajneesh(9873607039)

  • Authorization for Infotypes and Actions

    Hi Experts,
    In my project i have a requirement to give authorization to individual infotype level and also give authorization for each and every PA40 actions .
    Please give me a solution if any.
    thanks..
    Avik

    Hello:
    For authorization to individual infotype, use object P_ORGIN, authorization field INFTY. In here you can specify individual infotypes, and also authorization level on field AUTHC:
    R - Read access
    W - Write access
    M - Matchcode access
    E, D - Enqueue, dequeue access (Asymmetrical double verification principle)
    S - Symmetrical (Symm. double verification principle)
    For authorization for each and every action, use:
    INFTY: 0000 (Actions infotype)
    SUBTY: ## (Specific actions)
    This is done with basis team cooperation in transaction PFCG.
    Hope this helps
    Regards.

  • PA30 Initial Screen - need to take off /delimet  infotype menu group

    Hi All,
    If i want to take off / delimit infotype menu group from PA30 screen ( for example - I dont want user to see Gorss/net payroll and Net Payroll infotype tabs)
    can any one please guide me how to do that?
    Regards,
    Amit

    Manu,
    Well....  even after checking off the user dependency for some of infotypes, i can still see them on pa30 screen,,?
    So i was wondering if there some more steps to be done?
    Regards,
    Amit

  • Infotype 0000 Actions overview problem

    Hi mates,
    we are upgrading DEV system from 4.6C to 6.0.
    After upgrading the system we cannot see data on overview screen on infotype 0000, and on all other ITs we can see data.
    Could you tell me what could be the problem with IT0000?
    Thanks
    Romano

    Hi
    This problem may have two possible reason:
    1)IT0302.You may need to check your entries in T529A, as you might have
    activated this infotype (0302 additional actions)and therefore all
    completed actions saved in infotype 0000 (actions)also need to be logged
    in infotype 0302.
    if this IT has been activated y mistake then just deactivate it, if not
    you will need to running report 'RPUEVSUP'.(please check the documenta-
    tion of this report before hand).
    2)If you do not use IT 0302, you will need to check your setting in
    table T77S0.
    If the switch ADMIN EVSUP has value '1' In order to deactivate this
    functionality 'Additional actions' again, just set the value for this
    swith ADMIN EVSUP back to 'blank' in table T77S0.
    Group   Sem.abbr.   Value abbr
    ADMIN   EVSUP          ' '
    After deactivating this option, the infotype 0000 records should be
    diplayed again on the overview screen.
    Regards
    Ramana

  • How can I include in my VI actions like "Undo last action/redo last action"?

    I built a Vi and I want to include functions like Undo (last action) and Redo (last action).
    Any suggestion wellcome.
    Thank you

    Hi
    If you have the Menu Bar visible when your VI runs - this Forms your Default VI run-time Menu. You will discover a built in Undo and Redo Functions under "Edit" Menu. This fuction can be added to your custom Menus or .rtm files.
    However, this undo fuctionality is limited to data change only, which means it will erase the last control change. This Undo will not reverse any data propagated as a result of your last control change. Here is an example.
    Say you are taking a continuously polled value of a String control and building a Path using this, and you have a Button that says "Process Path" which ends the polling and brings you out of the While Loop. In this example if you change the value of String Control and Say Undo you will be reverted to Previo
    us Value. However If after changing the Value you Clicked the "Process Path" Button, you will be Out of your While Loop with the Path being built with the Last value of String Control before "ProcessPath" was clicked. Now Clicking Undo tries to Reverse the Last Control Which was "Process Path" This has no effect on Path Value. The Undo Function will not reverse the Data which has Propagated and take you backwards in the diagram. It will simply reverse the Data Changed on the last Control.
    Therefore if you want a robust "Undo" and "Redo" you will have to program this functionality, Basically you will have to trap values of all controls and on data change remember these values. On Undo you can then Change the values of Controls back to Previous Value and Also take your Diagram back to Where the Last action had impacted any data propagation.
    All this - mind you - is for a single level undo. It will get complex to do Multiple Level Undo.
    Good Luck! Dont you wish, you could Just
    Undo the Computer Age?!!
    Mache
    Good Luck!
    Mache

Maybe you are looking for

  • How to connect MacBook Air OS 10.8.2 to wireless HP Officejet all in one 4630 e printer

    How to connect MacBook Air OS 10.8.2 to wireless HP Officejet all in one 4630 e printer

  • Camera Raw will not update to latest version

    Help, Can someone please help me.  Have been trying for about 4 hours to update my version of Photoshop CS6 and keep getting response that "The update server is not responding. The server might be offline temporarily, or the Internet or firewall sett

  • Safari wont open/ crashes

    Hi- I have a 1st gen g5. Two days ago I downloaded the new software updates for Itunes and Quicktime. Since then I cant open Safari or Iphoto. A couple other applications now dont work either. When I try to open safari or Iphoto I get the crash "subm

  • How to fix error message -43

    How can I fix the error message -43?  I tried to update my iphone 4 to the newest version and I keep getting this message.  I have deselected the photos and still same problem.  Then said something about high resolution images synced via itunes are m

  • Using US iphone with German provider.

    I am soon to move from the US to Germany. Can I use my US iphone with a German network provider? Or does my iphone need to be unlocked? Thanks for any help.