How to auto-populate the Contact field from a Custom Object

Hi,
I am working on a project where the Contact record is the main focus. I have setup the Contact record as having a one-to-many relationship with CO4. From the Contact Details page I can click on the New button in the Related Record section for CO4 and the Contact from the Details page is auto-populated (which is what I want). I then enter the data into CO4 and click on Save so that the record is displayed in the Related Record section, and then I click into it so that I'm now on the CO4 Details page.
My page layout for CO4 has both Activities and Service Requests as related records, and the page layouts for both of these include the CO4 field and the Contact field. When I click on New for either of these record types, the CO4 field is populated from the previous record but the Contact is not. I realize this is because there is a one-to-many relationship between CO4 and the Activity/SR, but is there any way to also pull over the value in the Contact field?
I also tried this using CO1 which does have a many-to-many relationship (if I understand it correctly), but the Contact field is still not pulling over. Is there a way to make this happen?
Thanks!

This functionality is not available at this time. I would recommend that you submit a enhancement request to customer care.

Similar Messages

  • How we can populate the form data from 2D barcode

    Hi All,
    Can anyone tell me how we can populate the form data from 2D barcode, will this can be done through script(javascript)?.
    Thanks & Regards,
    Faisal Afzal

    I was hoping someone could put me in the right direction here. I am basically doing the same . I am decodeing the information stored in a 2D Bar code and sending this information to an XML file, then I am trying to combine that xml file with a blank PDF template but the process is failing beacuse there are some additional tag fields the XML data from the  Decode->Extract XML process.
    The XML file from the decode process gives the structure below..notice therer some extra tags (lines 2- 4)
    <?xml version="1.0" encoding="UTF-8"?>
    <xdp:xdp xmlns:xdp="http://ns.adobe.com/xdp/" xmlns:xfa="http://www.xfa.org/schema/xfa-data/1.0/">
    <xfa:datasets>
    <xfa:data>
    <form1>
    The XML structure that is expected by the PDF template is as follows
    <?xml version="1.0" encoding="UTF-8"?>
    <form1>
    So the xml output of the Decode barcode + Extract XML process has three extra lines of tag. Is there a way I could use a process within liveCycle to clean out those three lines in real-time before sending the xml to be recombined with the PDF template.
    Thanks

  • I've a new account on iMac.  When composing an email the contact list does not show up on the bar.  WWhen I start keying in a name, it comes up with the address.  How do I engage the  contact list from the email?

    I've a new account on iMac.  When composing an email the contact list does not show up on the bar, which would allow me to select the persons I want to include on the distribution of the email.  When I start keying in a name in the email, it comes up with the person's address, which shows it is synced.  How do I engage the contact list from the email like I do on my old account (where a contact list icon shows up, along with the "attach" and other icons) ?

    With the New Message window open, go to the View menu and select "Customize Toolbar...".
    In the screen that opens, drag the item labelled "Address" into the Toolbar area of the New Message window, then click the "Done" button.
    That item should be then added to the Toolbar for the New Message window.
    Note that the main Mail window and the New Message window (as well as the separate message window if you open a message that way) use different toolbars - the settings/inclusions for one do not carry over to another.

  • How can I get the "text" field from the actionEvent.getSource() ?

    I have some sample code:
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import java.util.ArrayList;
    public class JFrameTester{
         public static void main( String[] args ) {
              JFrame f = new JFrame("JFrame");
              f.setSize( 500, 500 );
              ArrayList < JButton > buttonsArr = new ArrayList < JButton > ();
              buttonsArr.add( new JButton( "first" ) );
              buttonsArr.add( new JButton( "second" ) );
              buttonsArr.add( new JButton( "third" ) );
              MyListener myListener = new MyListener();
              ( (JButton) buttonsArr.get( 0 ) ).addActionListener( myListener );
              ( (JButton) buttonsArr.get( 1 ) ).addActionListener( myListener );
              ( (JButton) buttonsArr.get( 2 ) ).addActionListener( myListener );
              JPanel panel = new JPanel();
              panel.add( buttonsArr.get( 0 ) );
              panel.add( buttonsArr.get( 1 ) );
              panel.add( buttonsArr.get( 2 ) );
              f.getContentPane().add( BorderLayout.CENTER, panel );
              f.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
              f.setVisible( true );
         public static class MyListener  implements ActionListener{
              public MyListener() {}
              public void actionPerformed( ActionEvent e ) {
                   System.out.println( "hi!! " + e.getSource() );
                   // I need to know a title of the button (which was clicked)...
    }The output of the code is something like this:
    hi! javax.swing.JButton[,140,5,60x25,alignmentX=0.0,alignmentY=0.5,
    border=javax.swing.plaf.BorderUIResource$CompoundBorderUIResource@1ebcda2d,
    flags=296,maximumSize=,minimumSize=,preferredSize=,defaultIcon=,disabledIcon=,
    disabledSelectedIcon=,margin=javax.swing.plaf.InsetsUIResource[top=2,left=14,bottom=2,
    right=14],paintBorder=true,paintFocus=true,pressedIcon=,rolloverEnabled=true,
    rolloverIcon=,rolloverSelectedIcon=,selectedIcon=,text=first,defaultCapable=true]
    I need this: "first" (from this part: "text=first" of the output above).
    Does anyone know how can I get the "text" field from the e.getSource() ?

    System.out.println( "hi!! " + ( (JButton) e.getSource() ).getText() );I think the problem is solved..If your need is to know the text of the button, yes.
    In a real-world application, no.
    In a RW application, a typical need is merely to know the "logical role" of the button (i.e., the button that validates the form, regardless of whether its text is "OK" or "Save", "Go",...). Text tends to vary much more than the structure of the UI over time.
    In this case you can get the source's name (+getName()+), which will be the name that you've set to the button at UI construction time. Or you can compare the source for equality with either button ( +if evt.getSource()==okButton) {...}+ ).
    All in all, I think the best solution is: don't use the same ActionListener for more than one action (+i.e.+ don't add the same ActionListener to all your buttons, which leads to a big if-then-else series in your actionPerformed() ).
    Eventually, if you're listening to a single button's actions, whose text change over time (e.g. "pause"/"resume" in a VCR bar), I still think it's a bad idea to rely on the text of the button - instead, this text corresponds to a logical state (resp. playing/paused), it is more maintainable to base your logic on the state - which is more resilient to the evolutions of the UI (e.g. if you happen to use 2 toggle buttons instead of one single play/pause button).

  • How can you trim the contact field value without cloudconnector?

    How can you trim the contact field value without cloudconnector?

    You can add your contacts to segments, while right-clicking on the criteria you have added in segments, you will see the option for Merge, Intersect & Trim.
    See the attached URL, it might help you .
    Merge, Intersect, Trim

  • Help!!! My husband by accident synced his account under my account and has merged all of our contacts.  In the process of fixing the mixup has deleted contacts on both phones.  How do I restore the contact list from the original contact list.

    Help!!! My husband by accident synced his account under my account and has merged all of our contacts.  In the process of fixing the mixup has deleted contacts on both phones.  How do I restore the contact list from the original contact list.

    I hope that you aren't complaining about dropped calls INSIDE your condo because no amount of switching or upgrading devices will solve that.
    VZW will not guarantee service inside of any structure. There are just too many factors. If the problem is inside then you might want to look at one of the following:
    1.) Network Extender (may cause issues for others in a condo or apartment style setting)
    2.) A Google Voice Number (Free with a Gmail email address), downloading Google Hangouts Dialer and forwarding your calls to the GVN so that you can make and receive calls over Wi-Fi.

  • How do I transfer the contact list from my phone to another on my family plan

    Hello,
    I have a Samsung Rogue as the primary phone on my account. My dad also has a phone on my plan, and just upgraded to the Accolade. He wants to add my contact list to his phone. Is there a way that I can transfer my list over to his phone?
    Thanks.

    I figured, why start a new thread? 
    Question: Is there a way to get the contact list from my old intensity phone?  
    that is:
    because it went through the washing machine. ( I know!)
    the screen doesn't work, but when I plug it into the USB port, the laptop recognizes it, and the call key doesn't work properly to call out, or obviously, anything else. 
    is there any way to get the contacts from the phone into the verizon backup assistant, or is there any other way? like taking it to the store?
    thanks. 
    PS. I just got my new DroidX and would really like to have those contacts...ya know?

  • Adding Email Queue Item to Queue from Contact - How can i put the Contact in From Field?

    Hi Guys,
    A contact completes our webform on our website. The comments box text on the webform goes into a hidden comments box on the contact form which in turn triggers a workflow to create an email message and queue item which adds the email message to a queue for
    a response from one of the sales team. I am unable to populate the 'From' field on the email message with the Regarding Contact or Contact details in order for me to be able to just hit reply to answer the query.
    Any ideas on how i can acheive this?
    Thanks
    Dave
    David Kelly

    Hi  David using Custom Workflow you can achieve this . Below is the sample code.
    protected override void Execute(CodeActivityContext executionContext)
    //Create the tracing service
    try
    //Create the context
    IExecutionContext context = executionContext.GetExtension<IExecutionContext>();
    IOrganizationServiceFactory serviceFactory = executionContext.GetExtension<IOrganizationServiceFactory>();
    IOrganizationService service = serviceFactory.CreateOrganizationService(context.UserId);
    ITracingService tracer = executionContext.GetExtension<ITracingService>();
    bool isEmailmatches = false;
    EntityReference incident = EmailActivityLookup.Get(executionContext);
    RetrieveRequest request = new RetrieveRequest();
    request.ColumnSet = new ColumnSet(new string[] { "from", "description", "subject" });
    request.Target = new EntityReference("email", incident.Id);
    string email = string.Empty;
    string senderqueue = string.Empty;
    string senderqueueFOC = string.Empty;
    bool senderqueueOutput = false;
    bool senderqueueOutputFOC = false;
    Guid SenderQueueId = Guid.Empty;
    Entity entity = (Entity)((RetrieveResponse)service.Execute(request)).Entity;
    EntityCollection IncommingParty = null;
    IncommingParty = (EntityCollection)entity["from"];
    for (int i = 0; i < IncommingParty.Entities.Count; i++)
    if (IncommingParty != null && IncommingParty[i].LogicalName
    == "activityparty")
    EntityReference PartyReference =
    (EntityReference)IncommingParty[i]["partyid"];
    // Checking if email is sent by CRM Account
    if (PartyReference.LogicalName == "systemuser")
    // Retrieve sender Account record
    Entity User = service.Retrieve("systemuser",
    PartyReference.Id, new ColumnSet(true));
    // wod_Account = new Entity("account");
    email = User.Attributes["internalemailaddress"].ToString();
    if (email.Contains("[email protected]") == true)
    senderqueue = "Tier 1 Email";
    if (email.Contains("ford.com") == true)
    senderqueue = "Tier 1 Email";
    if (email.Contains(".ca") == true)
    senderqueueFOC = "FOC Tier 1 Email - English ";
    if (email.Contains("icollection.com") == true)
    senderqueue = "Tier 1 Email";
    QueryByAttribute querybyattribute2 = new QueryByAttribute("queue");
    querybyattribute2.ColumnSet = new ColumnSet("name", "queueid");
    querybyattribute2.Attributes.AddRange("name");
    // Value of queried attribute to return.
    querybyattribute2.Values.AddRange(senderqueue);
    EntityCollection retrieved2 = service.RetrieveMultiple(querybyattribute2);
    foreach (var c in retrieved2.Entities)
    // string Queueid = c.Attributes.Contains("queueid").ToString();
    SenderQueueId = c.GetAttributeValue<System.Guid>("queueid");
    if (senderqueue != null && senderqueue != string.Empty)
    senderqueueOutput = true;
    if (senderqueueFOC != null && senderqueueFOC != string.Empty)
    senderqueueOutputFOC = true;
    this.OutSenderSearchFOC.Set(executionContext, senderqueueOutputFOC);
    this.OutSenderSearch.Set(executionContext, senderqueueOutput);
    catch (Exception ex)
    Helpers.Throw(String.Format("An error occurred in the {0} Workflow.",
    this.GetType().ToString()),
    ex);
    [ReferenceTarget("email")]
    [Input("EmailActivity")]
    public InArgument<EntityReference> EmailActivityLookup { get; set; }
    [Output("OutSenderSearch")]
    public OutArgument<bool> OutSenderSearch { get; set; }
    [Output("OutSenderSearchFOC")]
    public OutArgument<bool> OutSenderSearchFOC { get; set; }
    Here i am doing many things but you can see how to rerieve data from  activity party. Please let me know for any clarification.
    Abhishek

  • How can I truncate the time zone from a Date object without using String?

    Does anyone know how to truncate the time zone portion of a Date object and maintain the object as Date, NOT String?
    I just need the date, i.e., 05/02/2008 as a Date.
    Thanks.
    JDev1

    Although you haven't said so, I expect you must be having some problem with that?
    My wild guess: the server is creating a Date object and setting its time component to zero (midnight). Of course since Date doesn't have a timezone, that would be midnight in the server's timezone. Then you are interpreting that date as if it were in your timezone, and since you are west of the server, it appears to be 11 PM or 9 PM or something on the day before.
    What we do is to send our timezone to the server and tell the server to use it when creating the Date object. Alternatively, when formatting the Date object you could use a SimpleDateFormat with the server's timezone applied. There are no doubt other solutions that could be provided if we had a description of your problem.

  • How to fetch all the contact fields using Office365 REST API

    When I request for Contacts using webservices URL, Office365 returns only some specific fields (even though contact record has lot more fields). Is there any way so that I can fetch all the fields in contact record?

    Currently the REST APIs are limited to the fields you see now. We're constantly working to add more features though, so that might come in the future.

  • How to auto decode the character in from(to,cc,bcc)?

    i decode raw mail like this:
    1,
              System.setProperty("mail.mime.decodetext.strict", "false");
              System.setProperty("mail.mime.address.strict", "false");
    2,
                   MimeMessage mm = null;
                        FileInputStream fis = new FileInputStream(f);
                        mm = new MimeMessage(null, fis);
                        fis.close();
    3,
    mm.getRecipients(RecipientType.TO)
    mm.getRecipients(RecipientType.CC)
    mm.getRecipients(RecipientType.BCC)
    mm.getFrom()
    but i got the from like:
    =?iso-2022-jp?B?GyRCSXtFZzdDGyhC?= <[email protected]>
    how to let the javamail decode sender's name?
    thank you very much.

    Is this a different problem than the one you described in this other thread?
    http://forum.java.sun.com/thread.jspa?threadID=5310547
    Did the solution there not solve this problem as well?

  • HT1694 how can i add the contact list from my msn account

    I need help entering my contact list

    The instructions are in the article that you were reading when you posted your question that ultimately led you to here. Take a look at the kb article again.
    http://support.apple.com/kb/HT1694?viewlocale=en_US&locale=en_US
    After you set up the account, you have to select the items that you want to sync so go to Settings>Mail, contacts, calendars and tap the MSN email account. In the next screen you should be able to select Mail, Contacts, Calendars and Reminders and you can choose how many days back to sync email.

  • How do I auto populate the date into text fields when form is first opened?

    Hello,
    I read all about the changing the scripts but its not really working for me. I was hoping someone could help me with directions on how to auto populate the date into designated text fields when my adobe document is first opened?
    I am working in Adobe Acrobat 9.
    Thank you,
    Sheri

    When you add a new document JavaScript (Advanced > Document Processing > Document JavaScripts > Script Name (enter something) > Add), you will be given a function skeleton by default. Just delete it and enter the line of code I showed above. Now, whenever the document is opened, the code will get triggered and the field will be updated with the current date. There is no "Document Open" action (at least that's accessible via Acrobat's UI), but this is effectively the same thing since any document-level JavaScripts are executed when the document is opened.

  • How to populate the logical_group field in V_LTDX (table for layouts)?

    Hi,
    Scenario:
    I have implemented the ALV using CL_SALV_TABLE. In the grid we have a 'Choose Layout' button where we have the options of choose, change, manage etc. the layouts. If we create a layout, the layout is saved in the table LTDX(view: V_LTDX).
    Issue:
    How do we populate the 'Logical_group' field in the table while creating/changing the layouts?
    Please suggest..
    Regards
    s@k

    Solved..:)
    Solution:
    While creating the ALV grid, use the method 'get_layout' of the class CL_SALV_TABLE and get the reference of the layout in a reference variable.
    Data:
          gw_key       TYPE            salv_s_layout_key.
      gr_layout = gr_grid->get_layout( ).
      gw_key-report = sy-cprog.
      gw_key-logical_group = gc_log_grp." Pass the logical group here say logical group: 0001, 0002, etc. for each ALV
    So, whenever you create/ change a layout on the ALV grid, the system automatically passes this logical group and saves it in the table LTDX.
    Regards
    s@k

  • Auto populating the Notes field in XK02/FK02

    Hi Experts,
    I have a requirement where I need to auto-populate the Notes field with some text.
    When the user clicks the arrow next to Email field a pop up comes up. In this pop up there is a Notes field. (Please see the Screen shot)
    I want this Notes field to be auto-populated with "Notes".
    How can I accomplish this?
    Please advice.
    Thanks.

    Hi -
    1. In SE51, go to progrram - SAPLSZA6 and screen 600, you will find in the PBO
      MODULE precalculate.                                      "*981i
      MODULE d0600_status.
      MODULE d0600_output.
      LOOP AT g_d0600_adsmtp WITH CONTROL t_control6 CURSOR
        t_control6-current_line.
        MODULE d0600_display_line.
      ENDLOOP.
      MODULE d0600_cursor.
    2. In the 1st three module below check if any user exit / BADI is there .
    (a) MODULE precalculate.      
    (b) MODULE d0600_status.
    (c) MODULE d0600_output
    If yes check for modifying the value of the field 'REMARK' in the interanl table g_d0600_adsmtp.
    Example g_d0600_adsmtp(1)-Remark = 'Notes'
    3. If no BADI / exit is available, then go for implicit enhancement in the perform inside  MODULE d0600_output.  i.e    FORM dynpro_output .
    At the end of form    FORM dynpro_output - modify the internal table   ct_comm_table.
    Please note - This form may be used by other programs, so you can put some conditions like restricting to trasaction code etc.

Maybe you are looking for