Date Picker Widget does not work on template spawned (copied) pages

Hi,
I am trying to set up a PDF document form for a client using Adobe Acrobat Pro XI.  I have several date fields where I am wanting to use the Form Router Date Picker Widget (which has been downloaded and installed).  This works perfectly fine when it is just one page.  However, I am using a template with a script that creates a copy of the first page activated from a button -- ideally to allow users to create however many pages they want before submitting everything.  The code from the button is as follows:
var myTemplateArray = this.templates;
var myTemplate = myTemplateArray[0];
myTemplate.spawn(this.numPages, true, false);
// Get the field name prefix that Acrobat automatically adds to the new fields
var f_prefix = "P" + (this.numPages - 1) + ".cvcIntake";
// Reset the newly created fields
this.resetForm([f_prefix]);
// Go to the new page
this.pageNum = this.numPages-1;
The problem begins when a new page is added.  If I try to click on the date picker on the second page, it shows up on the first page next to the same field that was copied.  And if a date is selected it is entered into the field on the first page.
In looking into what is going wrong I found several things.  First, the naming aspect on the copied page is creating all of the calendar objects with the prefix "P1.cvcIntake.fld" ("fld" is the prefix of the form fields on the first page).  Second, going to the properties of the date picker object, its name has been changed to "P1.cvcIntake.FR_00000_CALENDARBUTTON_fld.Start_Date" and that action code is:
FormRouter_PlaceCalendar(getField("fld.Start_Date"), 3, "yyyy-mm-dd", 18.61102294921875);
Obviously both the name and the action code are going to cause it to do what it is doing now.  Unfortunately I am not sure what to try to do to fix things, as my skills at writing code for Acrobat is probably just a little better than beginner.  It seems to me that I need to be using a completely different approach for this part.  Does anyone have any advice on how I might be able to manage this problem?
Thanks ahead for your time and consideration,
Mike

It took quite a while for me to solve this problem, but even longer to post it here (my apologies to anyone looking for a solution to it prior to now).  Anyway, the real trick for me was to discover that I didn't have to explicitly put any numbering notations after adding the new fields (such as + "#" + this.pageNum) -- it turns out that the proper notational numbering is handled automatically.
While I am sure the real pros out there might be able to find a lot of ways to handle certain aspects better, below is the result of a great many hours of research, trial and error, and persistence.  Considering the help I have received from this forum,  I would be thrilled if I could make a contribution that helps anyone solve this problem.  If so, I would be glad to hear from you!  In any case, if anyone has any comments or questions please let me know. 
// Get templates in array.
var aTemplates = this.templates;
var myTemplate = aTemplates[0];
// Spawn new form page to end using page renaming.
myTemplate.spawn(this.numPages, true, false);
// Get the field name prefix that Acrobat automatically adds to the new page fields.
var fldNamePrefix = "P" + (this.numPages - 1) + ".cvcIntake";
// Reset the newly created fields to be cleared of any data.
this.resetForm([fldNamePrefix]);
// Init array counter for found calendar fields.
var calFldsCnt = 0;
// Array for found unusable copied calendar fields.
var aCvcIntakeCalFlds = [];
var pageCnt = this.numPages-1;
// Loop through all fields.
for (var i=0; i<this.numFields; i++) {
   var f = this.getField(this.getNthFieldName(i));
   var aNameSlice = f.name.split(".");
   // Find all copied template-renamed calendar fields and save names in array.
   if ((aNameSlice[1] == "cvcIntake" && aNameSlice[2] == "FR_00000_CALENDARBUTTON_fld") || ((aNameSlice[1] == "cvcIntake" && aNameSlice[2] == "FR_00000_Calendar"))) {
      aCvcIntakeCalFlds[calFldsCnt] = f.name;
      calFldsCnt++;
      continue;
   // Skip template-renamed fields.
   } else if (aNameSlice[1] == "cvcIntake") {
      continue;
   // Find non-button calaendar fields to create copy for new page.
   if (aNameSlice[0] == "FR_00000_Calendar") {
      var calFieldsName = aNameSlice[0] + "." + aNameSlice[1];
      var calField = this.addField(calFieldsName, f.type, pageCnt, f.rect);
      var t = this.getField(calFieldsName);        
      // Copy non-function proprties of page 0 calendar fields.
      for ( var p in f ) {
         try {
            if ( typeof f[p] != "function" ) {
               if (p != "name" || p != "page" || p != "rect" || p != "type") {
                  t[p] = f[p];
         } catch(e) {}
      // Default all to hidden.
      t.display = display.hidden;
      // Set "CalendarMonth" items as they are on page 0.
      if (aNameSlice[1] == "CalendarMonth") {
         var aMonths = new Array(["January", "1"],
            ["February", "2"],
            ["March", "3"],
            ["April", "4"],
            ["May", "5"],
            ["June", "6"],
            ["July", "7"],
            ["August", "8"],
            ["September", "9"],
            ["October", "10"],
            ["November", "11"],
            ["December", "12"]);
         t.setItems(aMonths);
      // Copy button captions.
      if (f.type == "button") {
         t.buttonSetCaption(f.buttonGetCaption());
      // Set action for all calendar "Day_X" fields. 
      if (calFieldsName.indexOf("Day_") > 0) {
         t.setAction("MouseUp","FormRouter_SetCurrentDate(event.target.buttonGetCaption());");
   // Find page 0 calendar buttons and make new page copies.
   if (aNameSlice[0] == "FR_00000_CALENDARBUTTON_fld") {
      var calButtonName = "FR_00000_CALENDARBUTTON_P" + pageCnt + ".cvcIntake.fld." + aNameSlice[1];
      var calButton = this.addField(calButtonName, f.type, pageCnt, f.rect);
      var t = this.getField(calButtonName);        
      // Copy non-function proprties of page 0 calendar buttons.
      for ( var p in f ) {
         try {
            if ( typeof f[p] != "function" ) {
               if (p != "name" || p != "page" || p != "rect" || p != "type") {
               t[p] = f[p];
         } catch(e) {}
      // Get button icon copy.
      t.buttonSetIcon(f.buttonGetIcon());
      // Set up variable name for button action that call calendar activation.
      var dateFieldName = "P" + pageCnt + ".cvcIntake.fld." + aNameSlice[1];
      t.setAction("MouseUp","FormRouter_PlaceCalendar(getField(" + "\"" + dateFieldName + "\"" + "), 1, \"mm\/dd\/yyyy\", 0);");
// Go through array of captured non-usable template-copied calendar fields and buttons, removing each from page.
for (i=0; i<=aCvcIntakeCalFlds.length; i++){
   this.removeField(aCvcIntakeCalFlds[i]);
// Go to the new page
this.pageNum = pageCnt;

Similar Messages

  • Spry tool tip does not work in template or child pages within an editable region. Why not?

    Ok. so I am getting pretty frustrated. I take the time to learn how to use CSS and to create a template page for a Contractor Site (www.ContractorInsurance.net). The idea is to create a page that I can use for different classes of Contractors...right?
    Then I get all happy about being able to insert ToolTip onto pages to help the user. Great!
    LIfe to turn to Sorrow after nearly five hours of searching for a "eeking" answer.
    So what good does it do to have an Editable region to update if we cannot have the flexibility to insert a tool tip on child pages?  Ok so the fast solution is to what... Have a question mark image, insert another apDiv, name it toolTip_Not and provide it with a show=hide behavior?
    RRRRRrrr...
    This really sucks not being able to find a solution within a reasonable amount of time.

    I have tried thank you. However...it is still not working.
    www.ContractorInsurance.net/course_of_construction.php
    The error message is "Making this change would require code that is locked by a template translator"
        Re: Spry tool tip does not work in template or child pages within an editable region. Why not?
        created by altruistic gramps in Spry Framework for Ajax - View the full discussion
    If you have a look at the following simple document with a tooltipTooltip trigger goes here.
    Tooltip content goes here.
    you will notice that a couple of lines have been placed in the HEAD section of the document. When using DW templates, the HEAD section is usually not editable, hence the error mesaage. By default, your template should have an editable region in it just before the closing tag. It looks like this: <!-- TemplateBeginEditable name="head" > <! TemplateEndEditable --> Dreamweaver should be able to find that editable region and insert the
    <script> tag there automatically. Because you don't have an editable region like that in the <head>, open the master template, and paste the code above just before the closing </head>
    tag. Gramps
    Edited to remove personal data

  • [svn] 4377: Bug: BLZ-292 - Data Push sample does not work in BlazeDS Turnkey

    Revision: 4377<br />Author:   [email protected]<br />Date:     2008-12-22 16:16:25 -0800 (Mon, 22 Dec 2008)<br /><br />Log Message:<br />-----------<br />Bug: BLZ-292 - Data Push sample does not work in BlazeDS Turnkey<br />QA: Yes<br />Doc: No<br />Checkintests Pass: Yes<br /><br />Details:<br />* Regression due to some refactoring of user-agent handling that was failing to set up defaults if no explicit <properties> were defined for the <channel-definition>. This meant that for IE, no kick-start bytes were being pushed down the streaming connection at setup time...<br /><br />Ticket Links:<br />------------<br />    http://bugs.adobe.com/jira/browse/BLZ-292<br /><br />Modified Paths:<br />--------------<br />    blazeds/trunk/modules/core/src/flex/messaging/endpoints/BasePollingHTTPEndpoint.java<br />    blazeds/trunk/modules/core/src/flex/messaging/endpoints/BaseStreamingHTTPEndpoint.java<br />    blazeds/trunk/modules/core/src/flex/messaging/util/UserAgentManager.java

    Hi,
    Thanks for your feedback!
    This feature has been going through a lot of changes with the BlazeDS and Flash Builder builds.
    We request you to pick up the BETA2 build of Flash Builder and BlazeDS 4.0.0.10654, hopefully you should see things working fine.
    Kindly let us know if you still encounter problems.
    Thanks,
    Balaji
    http://balajisridhar.wordpress.com

  • I look for integrated in the legend bloc of diaporama, a widget such as "Accordion" for, with a click, or passing with mouse, open a new legend for each photo. I tried with "Accordion" of Muse, it does not work. I tried copy/paste, mais no result. The wid

    Question.
    I look for integrated in the legend bloc of diaporama, a widget such as "Accordion" for, with a click, or passing with mouse, open a new legend for each photo. I tried with "Accordion" of Muse, it does not work. I tried copy/paste, mais no result. The widget disappear in bloc legend. disparaître. Have you one solution?
    Thank you,
    Loïc

    Accordion or Tabbed panel should to it, with click and open container.
    Please provide site url where this does not work, also if you can provide an example where we can see the exact action then it would help us.
    Thanks,
    Sanjit

  • Some Widget does not work after latest upgrade

    Today is July 23rd, 2011. By recent latest upgrade, mainly for supporting Lion, where I am still using Snow Leopard 10.6.8, some widget does not work, including Battery Meter, Digital Clock Alarm, Victoria Digital Clock, etc.
    By the way, my company use Chatter and I installed Chatter Desktop. Again, after recent upgrade, it no longer work anymore.
    Do you experience the same problem?
    For those who has upgraded to Lion, do you also find some widget does not work?

    I have read a couple of complaints like that, but not sure it's widespread.
    At this point I think you should get Applejack...
    http://www.macupdate.com/info.php/id/15667/applejack
    After installing, reboot holding down CMD+s, (+s), then when the DOS like prompt shows, type in...
    applejack AUTO
    Then let it do all 6 of it's things.
    At least it'll eliminate some questions if it doesn't fix it.
    The 6 things it does are...
    Correct any Disk problems.
    Repair Permissions.
    Clear out Cache Files.
    Repair/check several plist files.
    Dump the VM files for a fresh start.
    Trash old Log files.
    First reboot will be slower, sometimes 2 or 3 restarts will be required for full benefit... my guess is files relying upon other files relying upon other files! :-)
    Disconnect the USB cable from any Uninterruptible Power Supply so the system doesn't shut down in the middle of the process.
    If that does NOT help, Safe Boot , (holding Shift key down at bootup), use Disk Utility from there to Repair Permissions, test if things work OK in Safe Mode.
    Then move these files to the Desktop...
    /Users/YourUserName/Library/Preferences/com.apple.finder.plist
    /Users/YourUserName/Library/Preferences/com.apple.systempreferences.plist
    /Users/YourUserName/Library/Preferences/com.apple.desktop.plist
    /Users/YourUserName/Library/Preferences/com.apple.recentitems.plist
    Reboot & test.
    PS. Safe boot may stay on the gray radian for a long time, let it go, it's trying to repair the Hard Drive.
    If that does NOT help then I suspect the optical drive or media itself, or possibly just needs a cleaning CD run on it.

  • Air Traffic Control Widget Does Not Work With OS 10.6.8

    Air Traffic Control Widget Does Not Work With OS 10.6.8.
    Any suggestions?
    SR

    No I have not. I have thought about just downloading another version...
    Thanks for your reply.
    SR

  • How can I get my itunes onto my new laptop? Do I need to download itunes again or can I just copy it? My ipod classic has since been soaked in water and does not work so I cannot copy from there. Can anyone help?

    How can I get my itunes onto my new laptop? Do I need to download itunes again or can I just copy it? My ipod classic has since been soaked in water and does not work so I cannot copy from there. Can anyone help?

    You should copy everything from your old comptuer to your new one.

  • [Solved] Awesome 3.5: gmail vicious widget does not work

    I updated my awesome from 3.4 to 3.5. I noticed that vicious.widgets.gmail does not work anymore. When I move my cursor on mailicon, I can only see N/A. Obviously in my home there is  ~/.netrc file:
    machine mail.google.com login MYMAIL password MYPASSWORD
    This is how I configured the widget: Solved someone this or has someone any idea about how to solve?
    -- Gmail
    mailicon = wibox.widget.imagebox(beautiful.widget_gmail)
    mailwidget = wibox.widget.textbox()
    gmail_t = awful.tooltip({ objects = { mailwidget },})
    vicious.register(mailwidget, vicious.widgets.gmail,
    function (widget, args)
    gmail_t:set_text(args["{subject}"])
    gmail_t:add_to_object(mailicon)
    return args["{count}"]
    end, 120)
    --the '120' here means check every 2 minutes.
    mailicon:buttons(awful.util.table.join(
    awful.button({ }, 1, function () awful.util.spawn("urxvt -e mutt", false) end)
    Bye! ^^
    Last edited by ninquitassar (2013-02-17 20:22:28)

    nostalgix wrote:
    I don't know for sure, but maybe it's
    mailicon = wibox.widget.imagebox(beautiful.widget_gmail)
    instead of
    mailicon = wibox.widget.imagebox()
    mailicon.set_image(beautiful.widget_gmail)
    That's what he has.
    Last edited by nomorewindows (2013-02-12 21:16:51)

  • CODE ADDED using HTML Snippet Widget does not work

    I am trying to add some code to a web page using the HTML Snippet widget and it does not work on my page. the code is as follows:
    <script src='http://adn.ebay.com/files/js/min/ebay_activeContent-min.js'></script>
    <script src='http://adn.ebay.com/cb?programId=1&campId=5336536214&toolId=10026&keyword= coinset+nationaruba&catId=11116&width=728&height=90&font=1&textColor=333366&linkColor=333333&a rrowColor=8BBC01&color1=B5B5B5&color2=FFFFFF'></script>
    Can anyone help me to get this to work?
    Thanks!
    Gregg

    I got this code from Ebay. It is an Ebay partner link.
    Gregg

  • Script that worked in CS does not work in CS4 - multiple open page, print , pdf export and close

    I had a script that worked great for me in Indesign CS. But now does not work in CS4. Anyone knows what needs to be done to make it work again ?
    When I drop folder with indesign files on top of this script:
    1. opens first page
    2. turns specific layer on
    3. prints using preset
    4. exports using preset
    5. close without saving
    6. next page
    Anyone who can give me solution or idea how this should work is greatly appreciated.
    on open sourceFolders
    repeat with sourceFolder in sourceFolders
    tell application "Finder"
    try
    -- If you would like to include subfolders, you say - every file of entire contents of folder…
    set idFiles to (every file of folder sourceFolder whose file type is "IDd5") as alias list
    on error -- work around bug if there is only one file
    set idFiles to (every file of folder sourceFolder whose file type is "IDd5") as alias as list
    end try
    end tell
    if idFiles is not {} then
    tell application "Adobe InDesign CS4"
    set user interaction level to never interact
    repeat with i from 1 to count of idFiles
    open item i of idFiles
    tell document 1
    try
    set visible of layer "ImagesTag_Layer" to true
    end try
    set myPreset to "letter size" -- name of print style to use
    with timeout of 700 seconds
    print using myPreset without print dialog
    end timeout
    set myPreset1 to "pdf preset name" -- name of pdf export style to use
    set myName to the name -- name includes .indd should remove at some point          
    with timeout of 700 seconds
    export format PDF type to "users:temp:Desktop:pdf:" & myName & ".pdf" using myPreset1 without showing options -- set path here format ComputerName:Folder1:Folder2:......:FileName.pdf
    end timeout
    close without saving
    end tell
    end repeat
    set user interaction level to interact with all
    end tell
    end if
    return 10 -- try again in 10 seconds
    end repeat
    end open

    (Disclaimer: me not an AS guy!)
    First thing I noticed is the interaction level is set off. If you comment out this line
    set user interaction level to never interact
    you might be able to pinpoint the exact error -- ID will display a standard "failed" dialog, hopefully showing the line that it fails on.
    A quick question: the script assumes two presets in your InDesign: one for print ("letter size") and one for PDFs ("pdf preset name"):
    set myPreset to "letter size" -- name of print style to use
    set myPreset1 to "pdf preset name" -- name of pdf export style to use 
    Do these actually exist in your CS4, with the same (non)capitalization and spaces?

  • Marketplace widget does not work after update

    Updated phone (Droid X) this morning (10-24-10).  Seemed to go fine until I clicked on what was supposed to be the marketplace widget.  It said something to the effect that the application was not installed.  The usual Icon was replaced by a blue icon with the settings "cog" on the right side.  Is there anyway to get the Marketplace widget back?  By the way, it also does not show up in the application window or in the "Manage Applications" list.  I have temporarily put a shortcut to the internet Marketplace on the home page.

    This is a common issue after update.
    There is only 2 ways I know that seem to work.
    1. Reinstall app from a market backup apk (EStrong File Explorer works well)
    2. Hard Reset on device.
    Reset works but use the method here.... http://community.vzw.com/t5/DROID-X-by-Motorola/Minimize-Droid-X-Issues-After-Froyo-Update/m-p/296586#M11211 or
    Follow these settings during restore to avoid issues being restored automatically.
    1. Go to homepage on device
    2. Click left menu hard button
    3. Select Settings from list (Bottom Right of Screen)
    4. Scroll to "Privacy" in list
    5. Select "Privacy"
    6. Uncheck "Automatic Restore" and then "Back up my data" under Settings/Privacy
    7. Click OK on the menu that pops up that says "Are you sure you want to stop bacing up your settings andapplication data and erase all copies on Google server?"
    8. Click Factory Data Reset
    9. Click Reset Phone
    10. After reset is complete follow step to setup but do not input Google Email information
    11. Once phone is at homepage go back into Settings/Privacy and make sure the Automatic Restore option is unchecked, even if grayed out, activate "Back up my data" and quickly disable "Automatic Restore"
    5. After being sure that the Automatic Restore option is off it will be safe to log into Google by going to My Accounts and press New account button at bottom and input email account information.
    This process will stop all applications and settings from restoring automatically and restoring original issues that usually resolve a number of issues.

  • Custom Integrator - Date Picker/LOV does not return a value to the cell

    Hi,
    I have configured a webADI template with a date picker in it. Though the picker is rendered when i double-click on the cell, the selected date is not populated back. Same happens for any other list of values may render in the integrator. Any suggestions on debugging this issue.
    Regards,
    Vinayaka

    I have got the LOV working now. The issue was that I had not provided the table-select-column with the interface column name. It was set to the table column name.
    Regards,
    Vinayaka

  • Document selection for initial transfer by date of creation does not work

    Hello gurus,
    we are trying to initially transfer purchase orders from ERP to GTS. In /SAPSLL/DS_D_MM0A_R3, when we try to select the documents by giving a date for u2018created onu2019, no documents are transferred (u2018No data was found for the selection criteriau2019, Message no. /SAPSLL/PLUGINR3205).
    But when we select the documents using ME2L and insert the document numbers in the appropriate field in /SAPSLL/DS_D_MM0A_R3, all documents are transferred just fine.
    So obviously the selection by date does not wok properly. Or are there other hidden criteria ERP uses to select the documents to transfer (e.g. only those without GR/IR)?
    Thanks in advance
    Alicia

    Hi Alicia,
    just had a customer message with the same issue.
    The program for initial transfer selects the data frm table EKKO.
    Please check for those 3 documents, if the AEDAT in EKKO is the same date as in the selection of ME2L.
    It could be that in EKKO the AEDAT is a different date. We are selecting from this table.
    I believe if you choose the documents in SE16 EKKO only by the date from ME2L you won't find them as well.
    I believe the difference is between the 'Creation Date' and the 'Document Date'.
    Best regards, Christin
    Edited by: Christin Angus on Sep 14, 2010 2:24 PM

  • PREDICTION JOIN OPENQUERY against data source view does not work

    Hi,
     I am trying to follow the example in this link:
    http://technet.microsoft.com/en-us/library/ms132031.aspx
    to do a prediction join with a table defined in a data source view of our cube/mining structures.  No matter how I specify the table in the OPENQUERY statement I get: "OLE DB error: OLE DB or ODBC error: Invalid object name 'DataSourceView.dbo.TableName'.;
    42S02."  I've tried specifying the table name in 1, 2, and 3 parts, with and without the '[]' brackets but get the same error every time.  I thought something might be wrong with the table in the DSV so tried putting other tables in the query,
    but that produces the same error.  Any ideas on the problem?
    SELECT FLATTENED
            t.[Column1],
            t.[Column2],
            t.[Column3],
            PredictTimeSeries([ModelName].[Column3],5)
    From
      [ModelName]
    PREDICTION JOIN
      OPENQUERY([DataSourceView],
        'SELECT
            [Column1],
            [Column2],
            [Column3]
        FROM
          [DataSourceView].[dbo].[TableName]
        ') AS t
    ON
            [ModelName].[Column3] = t.[Column3]
    OLE DB error: OLE DB or ODBC error: Invalid object name 'R Staging.dbo.TestSet'.; 42S02."

    I want to be able to query a data source view table/named query.  This TechNet article seems to imply it is as simple as running the following in a DMX window:
         OPENQUERY ([MyDatasourceView],'select Column1 from DataSourceTable')
    I've also tried:
         select * from OPENQUERY ([MyDatasourceView],'select Column1 from DataSourceTable')
    Both result in:
        "Query (1, 1) Parser: The syntax for 'OPENQUERY' is incorrect."
    Can we query a DSV table from a DMX query directly with OPENQUERY, or does the OPENQUERY only work within a PREDICTION JOIN?  Seems like such a simple case for it not to work.
    Following the example in this article:
    http://technet.microsoft.com/en-us/library/ms132173.aspx

  • Example in Data Modeler Tutorial does not work as described

    Using Oracle Data Developer 4, I cannot get the example on https://docs.oracle.com/cd/E57998_01/doc.41/e57984/tut_data_modeling.htm#DMDUG36173 to work as described. The Foreign Key fields in the logical model are not generated. They are only generated in the relational model when I develop the logical model. However, the names follow the template {table}_{table}_ID, which will cause problems for long table names. Now I have two questions:
    1. How can get the foreign key fields to be generated in the logical model, as descibed in the tutorial?
    2. Where can I see the default naming rules for generated fields used by the program and where can I change them? - I found a description how this works in Version 3, but these options do not exist anymore in Version 4.

    2. Where can I see the default naming rules for generated fields used by the program and where can I change them? - I found a description how this works in Version 3, but these options do not exist anymore in Version 4.
    In version 4 the template definitions are defined in the properties for the Design.
    Right-click on the Browser entry for your Design and select Properties.
    In the tree in the left panel of the Design Properties dialog, expand Settings, then expand Naming Standard and select Templates to display the Template definitions.
    David

Maybe you are looking for

  • How to identify the Selected row number or Index in the growing Table

    Hi, How to find the selected Row number or Row Index of growing  Table using Javascript or Formcalc in Interactive Adobe forms Thanks & Regards Srikanth

  • JTabbedPane,JTable in JPopupMenu

    Hai, In my applet, I have added JTabbedPane and JTable in JPopupmenu just like JPanel using Java 1.3. It works fine. Now when I run this applet using Java 1.5 plugin, if I click on that JTable or JTabbedPane over JPopupmenu it closed automatically. I

  • Acrobat Pro X Failure to start

    I regularly find that Acrobat Pro X fails to start when I double click an acrobat file or double click the program itself.  The fix for this problem is to download and run Acrofix.exe.  But it appears that this fix is of a temporary nature as about e

  • ME_PROCESS_PO_CUST: Method "POST"

    Hi all, I'm trying to update the 'EKPO', and I will use the BADI 'ME_PROCESS_PO_CUST'. When you click the 'SAVE' of purchase order, I want to update the 'EKPO-LGORT'. and I will try to use method 'POST'.But the method 'POST' has only 'IM_HEADER'. Now

  • Creating domain for BI Publisher issue

    Hello, Im trying to create domain for BI Publisher 11.1.1.3.0. When configuring JDBC there are two component schemas: BIP Schema and OWSM MDS Schema. For database I have MS SQL Server configured with required RCU schemas. The strange part: when testi