How can i use LINK_CLICK event

Hi,
how can i use event LINK_CLICK in list tree.
Plz help me.
Regards ,
Venkat.

use this....
CLASS cl_event_receiver DEFINITION.
  PUBLIC SECTION.
    METHODS on_expand_no_children
            FOR EVENT expand_no_children OF cl_gui_simple_tree
            IMPORTING node_key sender.
    METHODS on_node_double_click
            FOR EVENT node_double_click OF cl_gui_simple_tree
            IMPORTING node_key sender.
ENDCLASS.
CLASS    cl_event_receiver
IMPLEMENTATION
CLASS cl_event_receiver IMPLEMENTATION.
Triggering event:      expand_no_children
Handling method:       on_expand_no_children
Description:
The handling method is called whenever a node is supposed to be
expanded (by clicking on the expander icon) while subordinate entries
are not yet known in the GUI.
In this case the node table must be complemented with the respective
entries.
  METHOD on_expand_no_children.
    IF SENDER <> obj_simple_tree.
      EXIT.
    ENDIF.
Determine subnodes
    REFRESH t_gui_node.
    LOOP AT t_node INTO wa_node WHERE relatkey = node_key.
      APPEND wa_node TO t_gui_node.
    ENDLOOP.
Send node table to GUI
    CALL METHOD obj_simple_tree->ADD_NODES
      EXPORTING
        TABLE_STRUCTURE_NAME           = 'MTREESNODE'
        NODE_TABLE                     = t_gui_node
      EXCEPTIONS
        ERROR_IN_NODE_TABLE            = 1
        FAILED                         = 2
        DP_ERROR                       = 3
        TABLE_STRUCTURE_NAME_NOT_FOUND = 4
        others                         = 5.
    IF SY-SUBRC <> 0.
      MESSAGE i398(00) WITH 'Error' sy-subrc
                            'at methode ADD_NODES'.
    ENDIF.
  ENDMETHOD.
Triggering event:      node_double_click
Handling method:       on_node_double_click
The handling method is called every time a double-click is executed
on a node or a leaf.
  METHOD on_node_double_click.
    IF SENDER <> obj_simple_tree.
      EXIT.
    ENDIF.
Output message for selected node or leaf
    CLEAR wa_node.
    READ TABLE t_node
      WITH KEY node_key = node_key
      INTO wa_node.
    IF SY-SUBRC = 0.
      IF wa_node-isfolder = 'X'.
        MESSAGE i398(00)
          WITH 'Double-click on node' wa_node-node_key.
      ELSE.
        MESSAGE i398(00)
          WITH 'Double-click on leaf' wa_node-node_key.
      ENDIF.
    ELSE.
      MESSAGE i398(00)
         WITH 'Double-click on unknown node'.
    ENDIF.
  Trigger PAI and transfer function code (system event)
    CALL METHOD cl_gui_cfw=>set_new_ok_code
         EXPORTING new_code = 'FCODE_DOUBLECLICK'.
  ENDMETHOD.
ENDCLASS.
*&      Module  STATUS_0100  OUTPUT
      GUI status for dynpro
MODULE STATUS_0100 OUTPUT.
  SET PF-STATUS 'DYN_0100'.
  SET TITLEBAR 'DYN_0100'.
ENDMODULE.                 " STATUS_0100  OUTPUT
*&      Module  create_objects  OUTPUT
      Create instances
MODULE create_objects OUTPUT.
  IF NOT obj_custom_container IS INITIAL.
    EXIT.
  ENDIF.
      Create instance for custom container
  CREATE OBJECT obj_custom_container
    EXPORTING
    PARENT                      =
      CONTAINER_NAME              = 'DYNPRO_CONTAINER'
    STYLE                       =
    LIFETIME                    = lifetime_default
    REPID                       =
    DYNNR                       =
    NO_AUTODEF_PROGID_DYNNR     =
    EXCEPTIONS
      CNTL_ERROR                  = 1
      CNTL_SYSTEM_ERROR           = 2
      CREATE_ERROR                = 3
      LIFETIME_ERROR              = 4
      LIFETIME_DYNPRO_DYNPRO_LINK = 5
      others                      = 6.
  IF SY-SUBRC <> 0.
    MESSAGE i398(00) WITH 'Error' sy-subrc
                          'when creating the custom container controls'.
  ENDIF.
      Create instance (back-end) for Simple Tree Model
  CREATE OBJECT obj_simple_tree
    EXPORTING
      NODE_SELECTION_MODE = CL_SIMPLE_TREE_MODEL=>NODE_SEL_MODE_SINGLE
    HIDE_SELECTION              =
    EXCEPTIONS
      ILLEGAL_NODE_SELECTION_MODE = 1
      others                      = 2.
  IF SY-SUBRC <> 0.
    MESSAGE i398(00) WITH 'Error' sy-subrc
                          'when creating the Simple Tree Model'.
  ENDIF.
      Create instance (representative object for control at front end)
  CALL METHOD obj_simple_tree->CREATE_TREE_CONTROL
    EXPORTING
    LIFETIME                     =
      PARENT                       = obj_custom_container
    SHELLSTYLE                   =
  IMPORTING
    CONTROL                      =
    EXCEPTIONS
      LIFETIME_ERROR               = 1
      CNTL_SYSTEM_ERROR            = 2
      CREATE_ERROR                 = 3
      FAILED                       = 4
      TREE_CONTROL_ALREADY_CREATED = 5
      others                       = 6.
  IF SY-SUBRC <> 0.
    MESSAGE i398(00) WITH 'Error' sy-subrc
                          'when creating the Simple Tree Control'.
  ENDIF.
ENDMODULE.                 " create_objects  OUTPUT
*&      Module  register_events  OUTPUT
      Event handling
MODULE register_events OUTPUT.
      Register events as system event at CFW                         *
  CLEAR t_events.
Register event for double-click
  CLEAR wa_event.
  wa_event-eventid = CL_SIMPLE_TREE_MODEL=>EVENTID_NODE_DOUBLE_CLICK.
  wa_event-appl_event = ' '.
  APPEND wa_event TO t_events.
Register events at CFW and control at front end
  CALL METHOD obj_simple_tree->SET_REGISTERED_EVENTS
     EXPORTING
        EVENTS                   = t_events
     EXCEPTIONS
       ILLEGAL_EVENT_COMBINATION = 1
       UNKNOWN_EVENT             = 2
       others                    = 3.
  IF SY-SUBRC <> 0.
    MESSAGE i398(00) WITH 'Error' sy-subrc
                          'when registering the events'.
  ENDIF.
      Create event handler and register events
  IF obj_event_receiver IS INITIAL.
    CREATE OBJECT obj_event_receiver.
    SET HANDLER obj_event_receiver->on_node_double_click
            FOR obj_simple_tree.
    SET HANDLER obj_event_receiver->on_expand_no_children
            FOR obj_simple_tree.
  ENDIF.
ENDMODULE.                 " register_events  OUTPUT
*&      Module  create_tree  OUTPUT
      Create node table with root and 1st level
MODULE create_tree OUTPUT.
  IF NOT t_node IS INITIAL.
    EXIT.
  ENDIF.
      Create node table
  PERFORM fill_node_table.
      Fill node table t_gui_node for control
  REFRESH t_gui_node.
  t_gui_node = t_node.
      Transfer entire node table to Simple Tree Model
  CALL METHOD obj_simple_tree->ADD_NODES
    EXPORTING
      NODE_TABLE          = t_gui_node
    EXCEPTIONS
      ERROR_IN_NODE_TABLE = 1
      others              = 2.
  IF SY-SUBRC <> 0.
    MESSAGE i398(00) WITH 'Error' sy-subrc
                          'at methode ADD_NODES'.
  ENDIF.
ENDMODULE.                 " create_tree  OUTPUT

Similar Messages

  • How can I use my Events album for the Screen saver?

    I would like to use the "Events" album from my iPhoto 09 for my Screen Saver pictures source, but can't seem to find a way to do this.  I tried to create a new folder in the Screen Saver preferences, but couldn't find a way to get to the Events album.
    If anyone has a tip I would appreciate the help.  I'm using Snow Leopard on a 27" iMac. Thanks much!

    Try System Preferences - Desktop & Screensaver - Click the + sign at the bottom of the box on the left (see the picture) then choose where the photos are stored and you should be good to go.

  • How can we use CMC / events to trigger a process?

    Is there a way we can make CMC / events to trigger a stored procedure or at least a .exe file?
    how?

    There's a starter on events here:
    http://scn.sap.com/community/bi-platform/blog/2013/01/07/cmcevents-in-business-objects-and-its-usage
    Not sure exactly of your workflow, but you can also schedule a custom program object and schedule that to run based on your own timelines.
    http://scn.sap.com/docs/DOC-40837

  • How can I use onClick event on singleSelection tag???

    Hi, all.
    I've used Jdev 9.0.4 and UIX xml.
    I've tried to fire onClick event on sigleSelection tag. But onClick event could not be used.
    Strangely onClick event on Button tag works well.
    My code looks like this.
    <script>
    <contents>
    function AlertMessage(){                   
    alert("You got it!");
    </contents>
    </script>
    <button text="Auto Generate" name="generate"
    onClick="return AlertMessage();"/>
    <singleSelection selectedIndex="0" text="Single" name="GGFF" id="GGG"
    shortDesc="AA"
    onClick="return AlertMessage();">
    Is there any problems in my code? Or this problem is oriented from jdev9.0.4?
    Please help!!!

    Sorry, this was a bug in the UIX version shipped in JDeveloper 9.0.4. It has been fixed in JDeveloper 9.0.5.
    -brian
    Team JDeveloper/UIX

  • How can i use the same front panel graph in more than one events in an event structure?

    i want to display the signals from my sensorDAQ in a graph.but i have more than one event in the event structure to acquire the signal and display it in the graph.the first event is to acquire the threshold signals and its displayed in the graph as a feedback.after the first event is executed, i will call the second event,where the further signals are acuired and compared with the threshold signals from the event 1.my question is how can i use the same front panel control in more than two events in the event structure?please answer me i'm stuck.
    Solved!
    Go to Solution.

    Hi,
    I have attached here an example of doing the same using shift registers and local variables. Take a look. Shift register is always a better option than local variables.
    Regards,
    Nitzz
    (Give kudos to good answers, Mark it as a solution if your problem is Solved) 
    Attachments:
    Graph and shift registers.vi ‏12 KB
    graph and local variables.vi ‏12 KB

  • How can I use custom repeating event in my iPad Air calendar iOS 8.0.2

    How can I use custom repeating event in my iPad Air calendar iOS 8.0.2?

    Unless something has changed, you can't. The iPad has limited ability to make repeats. However if you make the custom repeats in another program you can send them to or import them into your calendar and the iPad will respect the custom repeat.

  • How can I set an event to repeat on a week day rather than a numerical day of each month?

    How can I set an event to repeat on a week day rather than a numerical day of each month? I see an option at the bottom of the repeat window .... but I cannot use it. Actually, when I try it freezes up my Calendar.
    Lorrene Baum Davis

    These scrrenshots are from Snow Leopard - I would think that Lion wouldn't be too much different.

  • Can we use control events in smartforms

    Hi all,
    I am srinivas. can we use control events in smartforms, I mean at new, at end of ..... if these are not used can you suggest me any alternative....
    Actually my requirement is like a classical report, for which I need to display subtotal and grand totals based on two fields....
    Please help me out in this issue as it is very urgent.
    <b><REMOVED BY MODERATOR></b>
    Thanks in advance....
    Regards,
    Sri...
    Message was edited by:
            Alvaro Tejada Galindo

    Hi Nick,
            Thanks for the reply... it is really very useful for me.
    As I discussed in my earlier mail regarding the output sequence, which should be in the below format.
                                           number       quantity uom      unitprice        amount curr
    plant
           material
                   date
                                             x                 y                    z                      A           
                                             e                 f                     g                      h
                                             p                 q                     r                      s
                   subtotal date..... 1                   2                    3                       4
                   subtotal  material.5                  6                    7                       8
    As you said when I using <b>event of Begin</b> its working fine. but while using the <b>event of end</b>,  I am specifying date and then matnr (sort) its taking(nodes are created mean first matnr and then date) in the reverse order and when I am taking matnr and date it is placing the events(nodes) in the right order but the order date is not triggering.
    can please tell me how to proceed here..
    waiting for your reply..
    Regards,
    Srinivas

  • How can I move an event in my calendar to my "completed" calendar without changing all the events in the series?

    How can I move an event in my calendar to my "completed" calendar without changing all the events in the series?
    As Apple has yet to upgrade iCalendar so I can check off my events as I complete them (no, I do not want to use a task list/reminder list), I want to be able to move my events to my "completed" events calendar as I complete them. The issue is that most of my events are repeating events, and it changes the entire series. How do I change only the event I clicked on using my iPhone?
    Thanks

    If you change anything in a repeating calendar entry it will give you the option of disconnecting it from the series. So may any random change, choose to not change the series.

  • How can I use 2 iPhone 4's on same iTunes account, but NOT sync same contacts?

    How can I use 2 iPhone 4's on same iTunes account, but NOT sync same contacts?

    They need to be registered under different Apple ID's.  The initial Apple ID is set when you first start the phone up.  If you've already registered the phone to the iTunes account, back it up to your computer, and then have iTunes do a factory reset.  Go to www.icloud.com, log in with your current Apple ID, select "Find My iPhone," choose the iPhone you want to dissociate from your primary Apple ID from the upper left, and then click the little circled X ("remove").
    When you start the phone, it will have you go through the setup process again, at which time you need to create a unique Apple ID for the device.  You can then restore it from your iTunes backup to get back your apps and other settings.
    Whenever you use the iTunes store, use the login information (Apple ID and password) that you were using before.  Basically, the second Apple ID that you created is purely used for accessing iCloud services, which includes synchronization of contacts, iCal events, and other such things.

  • How can I use the button in one panel to control the other panel's appearing and disappearing?

    How can I use the button in one panel to control the other panel's
    appearing and disappearing? What I want is when I push the button on
    one button . another panel appears to display something and when I
    push it again, that the second panel disappears.

    > How can I use the button in one panel to control the other panel's
    > appearing and disappearing? What I want is when I push the button on
    > one button . another panel appears to display something and when I
    > push it again, that the second panel disappears.
    >
    You want to use a combination of three features, a button on the panel,
    code to notice value changes using either polling in a state machine of
    some sort or an event structure, and a VI Server property node to set
    the Visible property of the VI being opened and closed.
    The button exists on the controlling panel. The code to notice value
    changes is probably on the controlling panel's diagram, and this diagram
    sets the Visible property node of a VI class property node to FALSE or
    TRUE to show or
    hide the panel. To get the VI reference to wire to the
    property node, you probably want to use the Open VI Reference node with
    the VI name.
    Greg McKaskle

  • How can we use Custom MessageBox in SelectionChangedEvent of LongListSelector for Windows Phone 8

    Dear Sir/Madam,
    How can we use Custom MessageBox in SelectionChangedEvent of LongListSelector for Windows Phone 8.
    Actually my problem is that When i am using Custom  MessageBox in SelectionChangedEvent of LongListSelector,when i am click Open(Left Button) it's working fine and navigated correctly,But when i am Click the No(Right Button) then it stayed in same page
    but all that page is in stuckup i mean that page is not working and not doing any event.
    My C#.net Code
    private async void userPageLongListSelector_SelectionChanged(object sender, SelectionChangedEventArgs e)
    if (e.AddedItems.Count > 0)
    if (userPageLongListSelector.SelectedItem == null)
    return;
    if (dbTenMin == null)
    dbTenMin = new Database(ApplicationData.Current.LocalFolder, "tenMInDBSchema.db");
    await dbTenMin.OpenAsync();
    var res = (sender as LongListSelector).SelectedItem as _10Min._10MinClass.minUserPages;
    var resIndex = (sender as LongListSelector).ItemsSource.IndexOf(userPageLongListSelector.SelectedItem);
    string selectedPageName = res.userPages.ToString();
    string selectedPageDesignUser = res.pageDesignUser.ToString();
    int selectedIndex = resIndex;
    CustomMessageBox messageBox = new CustomMessageBox()
    Caption = "Message...!",
    Message = "This form need offline datalist,Please load now.",
    LeftButtonContent = "Open",
    RightButtonContent = "No"
    messageBox.Dismissed += (s1, e1) =>
    switch (e1.Result)
    case CustomMessageBoxResult.LeftButton:
    string uidAndpwd = _10MinClass._10MinStaticClass.csUidAndPwd.ToString();
    _10MinClass._10MinStaticClass.csDataListPageDetails = selectedPageDataDetailsForSchema.ToString();
    _10MinClass._10MinStaticClass.csAllDataLists = offlineDataBaseDataListNam;
    _10MinClass._10MinStaticClass.csNotCreatedSchemaNameOfDBList = notCreatedDataLists;
    userPageLongListSelector.SelectedItem = null;
    if (dbTenMin != null)
    dbTenMin.Dispose();
    dbTenMin = null;
    NavigationService.Navigate(new Uri("/10MinformDataList.xaml", UriKind.Relative));
    else
    NavigationService.Navigate(new Uri("/10MinformDataList.xaml", UriKind.Relative));
    break;
    case CustomMessageBoxResult.RightButton:
    break;
    case CustomMessageBoxResult.None:
    break;
    default:
    break;
    messageBox.Show();
    Same custom messagebox code working in Phone_BackKeyPress event i am writing the code in Right Button that e.OriginalSource.ToString(); then it is working fine.
    But It is not working in Selection Changed Event in LongListSelector control in Windows Phone 8.
    Please help me,as soon as possible.
    Thanks & Regards,
    SrinivaaS.

    What happens if you leave the implementation for LeftButton empty as well , does the page gets stuck in that case also, if you press left button?
    i.e.
    CustomMessageBox messageBox = new CustomMessageBox()
    Caption = "Message...!",
    Message = "This form need offline datalist,Please load now.",
    LeftButtonContent = "Open",
    RightButtonContent = "No"
    messageBox.Dismissed += (s1, e1) =>
    switch (e1.Result)
    case CustomMessageBoxResult.LeftButton:
    break;
    case CustomMessageBoxResult.RightButton:
    break;
    case CustomMessageBoxResult.None:
    break;
    default:
    break;
    messageBox.Show();
    http://developer.nokia.com/community/wiki/Using_Crypto%2B%2B_library_with_Windows_Phone_8

  • How can I use the same session for different components acroos application ?

    I am trying to include the components(chat, filesharing, whitboard) in different parts of my application. User should be able to access any of the component. We would like to have a single "ConnectSessionContainer" so that we don't see same user creating a seperate session for each component.
    Is there a better way of dealing with this other than declaring the "ConnectSessionContainer" in the main application ? Is there a way to check if we have a "ConnectSessionContainer" session already established ? Please help . Thanks.

    Thanks for the response. Let me explain what I am trying to do..
    I am trying to create components at different places(screens) of the flex application (not in the same .mxml file).
    Each time I create a component, I am using a "AdobeHSAuthenticator" and "ConnectSessionContainer" which is resulting a new participant in the room.
    For example
    screen1.mxml -
    <mx:Panel>
    <rtc:AdobeHSAuthenticator id="auth" authenticationSuccess="onAuthSuccess(event);" authenticationFailure="onAuthFailure(event);" />
    <rtc:ConnectSessionContainer id="mySession" >
            <rtc:Roster id="myRoster" width="100%" height="100%" />
            <rtc:Chat id="mychat" width="100%" height="100%" />
    </rtc:ConnectSessionContainer>
    </mx:Panel>
    screen2.mxml (in the same application) -
    <mx:Panel>
    <rtc:AdobeHSAuthenticator id="auth" authenticationSuccess="onAuthSuccess(event);" authenticationFailure="onAuthFailure(event);" />
    <rtc:ConnectSessionContainer id="mySession" >
            <rtc:SharedWhiteBoard id="wb" width="100%" height="100%" />
    </rtc:ConnectSessionContainer>
    </mx:Panel>
    Here, I open a screen1 and authenticate as UserA and when I try to open screen2 flex is considering me as another user though I am in the same application.
    1) How can I use different components which are in different flex files as a same User ?
    2) Should I place my <rtc:AdobeHSAuthenticator> and <rtc:ConnectSessionContainer> in the main application which calls the screen.mxml?
    3) What is the best way to do it ?
    Thanks for your time !

  • HOW CAN I DELETE AN EVENT WITHOUT  HAVING TO SELECTING IT FROM THE LIBRARY?

    I have a big problem.
    I want to delete an entire event from my library because everytime I select it imovie freezes and then close itself up. So I have to re-open imovie again. And when I want to select that particular event again the same problem occures. So I can not select that particular event. Therefore I can take NO action on this event.
    HOW CAN I DELETE AN EVENT WITHOUT HAVING TO SELECTING IT FROM THE LIBRARY?
    (Everytime I select it imovie closes itself up)
    All other events work fine. I believe The footage had a problem from capturing. but now it's in my computer and i can't open it.
    Please help me, I don't need this event, I can't open it therefore I can't use it and it takes place on my hardrive for nothing.
    Thank you

    One can delete it from one's computer. In the finder go to homeuser, movies, imovie events, delete the footage.
    Then reopen iMovie and see if that helps.
    Hugh

  • How Can I use a Variable  in Data Controls query. Frank Kindly check...

    Hii,
    I am using JDeveloper 11g ADF BC.
    My Requirement is that I hv a login screen which is taken from [http://blogs.oracle.com/shay/simpleJSFDBlogin.zip].
    I hv attached BC in this application. I want to use the login usercode in the next pages after login screen. Next screen contains 3 list items which will be populating based on the user. So I created &lt;af:selectOneChoice&gt; using the BC( Just drag & dropped the column into the page from the data controls). But in the data control i want to use this usercode for passing the condition. Now Data is coming without any condition.
    So How can I use the usercode in the Data controls query.
    When I tried to display the usercode in the next page it is showing by binding the value. its code is follows
    &lt;af:outputText value="#{backing_getUser.uid}"
    The program for checking the username & Password is follows.
    package login.backing;
    import oracle.adf.view.rich.component.rich.RichDocument;
    import oracle.adf.view.rich.component.rich.RichForm;
    import oracle.adf.view.rich.component.rich.input.RichInputText;
    import oracle.adf.view.rich.component.rich.layout.RichPanelFormLayout;
    import oracle.adf.view.rich.component.rich.nav.RichCommandButton;
    import java.sql.*;
    import java.util.List;
    import java.util.Map;
    import oracle.adf.view.rich.component.rich.output.RichMessage;
    import oracle.jdbc.OracleDriver;
    public class GetUser {
    private RichInputText uid;
    private RichInputText pid;
    private RichCommandButton commandButton1;
    private RichInputText inputText1;
    private RichInputText inputText2;
    public void setUid(RichInputText inputText1) {
    this.uid = inputText1;
    public void setPid(RichInputText inputText2) {
    this.pid = inputText2;
    public RichInputText getUid() {
    return uid;
    public RichInputText getPid() {
    return pid;
    public void setCommandButton1(RichCommandButton commandButton1) {
    this.commandButton1 = commandButton1;
    public RichCommandButton getCommandButton1() {
    return commandButton1;
    public String login_action() {
    // Add event code here...
    String user = this.getUid().getValue().toString();
    // String pass = inputText2.getValue().toString();
    String pid = this.getPid().getValue().toString();
    Connection conn;
    conn = getConnection();
    Statement stmt = conn.createStatement();
    ResultSet rset = stmt.executeQuery ("SELECT usercode FROM guser where usercode = '"+user.toUpperCase()+"' and pwd=F_TEST('"+pid.toUpperCase()+"')");
    if (rset.next()) {
    conn.close();
    return "good";
    conn.close();
    } catch (SQLException e) {
    System.out.println(e);
    return "bad";
    public static Connection getConnection() throws SQLException {
    String username = "ACCTS";
    String password = "ACCTS";
    String thinConn = "jdbc:oracle:thin:@SERVER1:1521:G5PS";
    DriverManager.registerDriver(new OracleDriver());
    Connection conn =
    DriverManager.getConnection(thinConn, username, password);
    conn.setAutoCommit(false);
    return conn;
    public void setInputText1(RichInputText inputText1) {
    this.inputText1 = inputText1;
    public RichInputText getInputText1() {
    return inputText1;
    public void setInputText2(RichInputText inputText2) {
    this.inputText2 = inputText2;
    public RichInputText getInputText2() {
    return inputText2;
    -----

    Hi,
    I didn't look at the example, but if you want to secure your application then you should use container managed security. Read this .
    Anyway, you could add this before return "good"; in your login_action()
    FacesContext.getCurrentInstance().getExternalContext().getSessionMap().put("username", user);Then, you can access this from anywhere in the application by using #{sessionScope.username}.
    Pedja

Maybe you are looking for

  • Is there any way to create my own text tone?

    I love being able to make my own ringtones in garageband but I was wondering if there is anyway to make my own text tones.  That would be very nice to do.  I would assume that I can considering I can make my own ringtones. If anyone knows, please hel

  • Plan v/s actual materail consumption report for production order - urgent

    Dear all Hi, Is there any report or T code from which i can get the plan v/s actual material consumption for a production order or wbs element after completion of order, please suggest / help, the requirement is very urgent. thanks in advance

  • Cs4: 3D-Mode gone

    My '3D-mode' as  well as some 'workspaces' like 'Analysis' dissapeared since I opened Photoshop the last time. Now I can not work with 3D-layers for example. Does anybody know, how I could switch it on again?

  • Disadvantage of having Navigational Attributes

    Hi there, Pl. clarify the disadvantage of having a navigational attributes instead of low performance. Regards Sridevi

  • UCCX 7.0(1)SR03 - I need a Script to collect digits and write to file

    I'm trying to come up with a script that will Collect digits and write them to a file. XML, CSV, I really don't care what type of file.  Is this possible? Thank you   Jacob