Export xml in Batch with CS3

Hi All
Anybody have any script batch export in indesign cs3 which export the xml with using the option of "Remap, Break, Special character"
Thanks in Advance
Pramod Pant

I am not a Resolve user, but could it be that Resolve has been set up for a 25fps project? And maybe the lite version restricts your frame size?
Just curious.

Similar Messages

  • Script for Batch Exporting XML from IDCS3 files

    Does anyone have a script they would share for batch exporting XML from IDCS3 files? I do not know anything about scripting so I do not know how to write one myself. I've also searched around and cannot find anything. I would appreciate any help with this anyone can offer.
    Thanks,
    Janine

    Or use below Code:
    try {
         inFolderName= Folder.selectDialog ("Input Folder:");
         outFolderName= Folder.selectDialog ("Output Folder:");
         if ((inFolderName != null) && (outFolderName != null))
              var idFileFolder = new Folder(inFolderName);
              var files = idFileFolder.getFiles("*.indd");
              for(myCounter = 0; myCounter < files.length; myCounter++)
                   var theDocument = app.open(File(files[myCounter]));
                   with ( theDocument ) {
                   myXMLFile = new File(outFolderName + "/" + name.replace(".indd","") + ".xml" );
                   exportFile( ExportFormat.xml, myXMLFile );
                   close(SaveOptions.no);
    catch (err ) {
    alert("All files export");
    Shonky

  • XML Won't Transform in Batch [JS, CS3]

    When I use import xml manually into indesign, it works - but when I import it using the script below, it does not apply the transformation.
    Any ideas?
    with(app.activeDocument.xmlImportPreferences) {
            allowTransform = true;
            transformFilename = XMLTransformFile.STYLESHEET_IN_XML;
            createLinkToXML = false;
            ignoreWhitespace =true;
            ignoreUnmatchedIncoming = false;
            importCALSTables = true;
            importToSelected = false;
            allowTransform = false;
           importTextIntoTables = true;   
           repeatTextElements = false;
           removeUnmatchedExisting = false;
           importStyle = XMLImportStyles.MERGE_IMPORT;

    arrgh, this was not was i wanted to test: it works with cs3 if you omit the with {} statement.
    if you set the xmlImportPreferences direct it does work here.
    app.activeDocument.xmlImportPreferences.allowTransform = true;
    app.activeDocument.xmlImportPreferences.transformFilename = XMLTransformFile.STYLESHEET_IN_XML;
    so this is not working:
    var _file = File.openDialog ("Choose XML File");
    with(app.activeDocument.xmlImportPreferences) {
            allowTransform = true;
            transformFilename = XMLTransformFile.STYLESHEET_IN_XML;
            //transformFilename = File.openDialog ("Choose XSL File");
    app.activeDocument.importXML(_file);
    but this works fine:
    var _file = File.openDialog ("Choose XML File");
    app.activeDocument.xmlImportPreferences.allowTransform = true;
    app.activeDocument.xmlImportPreferences.transformFilename = XMLTransformFile.STYLESHEET_IN_XML;
    //transformFilename = File.openDialog ("Choose XSL File");   
    app.activeDocument.importXML(_file);

  • How to export string in CDATA with the jaxb xml writer?

    How to export string in CDATA with the jaxb xml writer?
    It read CDATA no problem but it is lost on write.

    Found it:
    ### THIS WORKS WITH SUN JAXB REFERENCE IMPLEMENTATION. ###
    (Not tested with any other)
    In the xsd, you must create a type for your string-like element.
    Then associate a data type converter class to this new type, which will produce CDATA tags.
    Then you must set a custom characterEscapeHandler to avoid the default xml escaping in order to preserve the previously produced CDATA tag.
    Good luck.
    -----type converter-----
    import javax.xml.bind.DatatypeConverter;
    public class ExpressionConverter {
         * Convert an expression from an XML file into an internal representation. JAXB will
         * probably have already stripped off the CDATA encapsulation. As a result, this method
         * simply invokes the JAXB type conversion for strings but does not take any other action.
         * @param text an XML-compliant expression
         * @return a pure string expression
         public static String parse(String text) {
              String result = DatatypeConverter.parseString(text);
              return result;
         * Convert an expression from its internal representation to an XML-compliant version.
         * This method will simply surround the string in a CDATA block and return the result.
         * @param text a pure string expression
         * @return the expression encapsulated within a CDATA block
         public static String print(String text) {
              StringBuffer sb = new StringBuffer(text.length() + 20); //should add the length of the CDATA tags + 8 EOLs to be safe
              sb.append("<![CDATA[");
              sb.append(wrapLines(text, 80));
              sb.append("]]>");
              return DatatypeConverter.printString(sb.toString());
         * Provides line-wrapping for long text strings. EOL indicators are inserted at
         * word boundaries once a specified line-length has been exceeded.
         * @param text the string to be wrapped
         * @param lineLength the maximum number of characters that should be included in a single line
         * @return the new string with appropriate EOL insertions
         private static String wrapLines(String text, int lineLength) {
              //wrap logic, watchout for quoted strings!!!!
              return text;
    ------in caller----
    Marshaller writer = ......
    writer.setProperty("com.sun.xml.bind.characterEscapeHandler", new NoCharacterEscapeHandler());
    -----escaper-----
    import java.io.IOException;
    import java.io.Writer;
    import com.sun.xml.bind.marshaller.CharacterEscapeHandler;
    public class NoCharacterEscapeHandler implements CharacterEscapeHandler {
         * Escape characters inside the buffer and send the output to the writer.
         * @param buf buffer of characters to be encoded
         * @param start the index position of the first character that should be encoded
         * @param len the number of characters that should be encoded
         * @param isAttValue true, if the buffer represents an XML tag attribute
         * @param out the output stream
         * @throws IOException if the writing process fails
         public void escape(char[] buf, int start, int len, boolean isAttValue, Writer out) throws IOException {
              for (int i = start; i < start + len; i++) {
                   char ch = buf;
                   if (isAttValue) {
                        // isAttValue is set to true when the marshaller is processing
                        // attribute values. Inside attribute values, there are more
                        // things you need to escape, usually.
                        if (ch == '&') {
                             out.write("&");
                        } else if (ch == '>') {
                             out.write(">");
                        } else if (ch == '<') {
                             out.write("<");
                        } else if (ch == '"') {
                             out.write(""");
                        } else if (ch == '\'') {
                             out.write("&apos;");
                        } else if (ch > 0x7F) {
                             // escape everything above ASCII to &#xXXXX;
                             out.write("&#x");
                             out.write(Integer.toHexString(ch));
                             out.write(";");
                        } else {
                             out.write(ch);
                   } else {
                        out.write(ch);
              return;

  • Health App: How to work with exported xml?

    Hello,
    is there a simple way to process exported (xml) data from health app?
    I've tried it in Excel, but some of the collected data, like heartbeat rate, is strangely formatted. It’s a real pain to reformat and process that data in Excel, and it accelerates my heartbeat too ;-) .
    If someone knows a more simple way it would be nice if you can share it?
    Thanks a lot.

    You might have to tweak this code some to get it to work, but it should at least lay the groundwork for solving your problem:
    Code Snippet
    /* Declare an XmlNode object and initialize it with the XML response from the GetListItems method. The last parameter specifies the GUID of the Web site containing the list. Setting it to null causes the Web site specified by the Url property to be used.*/
                System.Xml.XmlNode nodeListItems =
                    MyListsService.GetListItems
                    (listName, viewName, query, viewFields, rowLimit, queryOptions, null);
    System.Xml.XmlDocument xd = new System.Xml.XmlDocument();
    xd.LoadXml(nodeListItems.OuterXml);
    System.Xml.XmlNamespaceManager nm = new System.Xml.XmlNamespaceManager(xd.NameTable);
    nm.AddNamespace("rs", "urn:schemas-microsoft-com:rowset");
    nm.AddNamespace("z", "#RowsetSchema");
    nm.AddNamespace("rootNS", "http://schemas.microsoft.com/sharepoint/soap");
    System.Xml.XmlNodeList nl = xd.SelectNodes("/rootNS:listitems/rs:data/z:row", nm);
    foreach(System.Xml.XmlNode listItem in nl)
      listBoxProsjekter.Items.Add(listItem.OuterXml);
    I hope this helps!
    Please look into the following site for more info:
    http://msdn2.microsoft.com/en-us/library/4bektfx9(vs.80).aspx

  • Generate Photo Gallery XML for Spry with Adobe Bridge

    Wanted to post a note to what I've discovered/worked out -- a
    way to
    generate a very useful photos.xml from Adobe Bridge. If you
    use Bridge,
    it's very easy to add titles, keywords, ratings -- all kinds
    of metadata
    that one might use in a photo gallery. Here it is in case
    anyone wants
    to use.
    The script is based on one I found at the Adobe User to User
    Bridge
    Scripting Forum for exporting a CSV file.
    Note 1: this particular script doesn't take into account
    CDATA that
    might exist in your metadata, like ampersands in your title.
    I've just
    avoided using those, but you could also have the script write
    out a
    CDATA node for that info instead.
    Note 2: this script does not write out a thumbpath,
    thumbwidth or
    thumbheight attribute. But usually the thumbpath is the exact
    same as
    the regular "path" attribute, and the thumbwidth and
    thumbheight are
    just a ratio of the regular "width" and "height" attributes.
    I added a
    bit of JS to the gallery.js file to calculate those before
    growing the
    thumbnail on rollover.
    Personally I'm using keywords as categories and titles as
    captions and
    sorting by rating (stars in Bridge), so here's the .jsx file
    I created.
    The script should be saved to the folder "StartupScripts" in
    Program
    Files/Common Files/Adobe.
    Hope this is useful for others too!
    #target bridge
    if (BridgeTalk.appName == "bridge" ) {
    // create menu
    var menu = MenuElement.create( "command", "Export XML File",
    "at the end
    of Tools");
    menu.onSelect = function(m) {
    try {
    // ask for the name of the output file
    var f = File.saveDialog("Export XML file to:", "XML
    File:*.XML");
    if ( !f ) { return; }
    // open filestream and write first line
    f.open("w");
    f.writeln("\<photos\>\r\r");
    // get a list of all the visible thumbnails in Bridge
    var items = app.document.visibleThumbnails;
    for (var i = 0; i < items.length; ++i) { var item = items
    f.writeln("\<photo path = \"" + item.name + "\"" + "\r" +
    "width = " +
    "\""+ getWidth(item) + "\"" + "\r" + "height = " + "\""+
    getHeight(item)
    + "\"" + "\r" + "rating = " + "\""+ getRating(item) + "\"" +
    "\r" +
    "categories = " + "\""+ listKeywords(item) + "\"" + "\r" +
    "caption = "
    + "\""+ getTitle(item) + "\"" + " \>" + "\r" +
    "\<\/photo\>\r\r" ); }
    f.writeln("\<\/photos\>");
    f.close();
    } catch(e) {
    function getTitle(tn) {
    md = tn.metadata;
    md.namespace = "
    http://purl.org/dc/elements/1.1/";
    var varTitle = md.title;
    return varTitle;
    function getWidth(tn) {
    md = tn.metadata;
    md.namespace = "
    http://ns.adobe.com/tiff/1.0/"
    var varWidth = md.ImageWidth;
    return varWidth;
    function getHeight(tn) {
    md = tn.metadata;
    md.namespace = "
    http://ns.adobe.com/tiff/1.0/"
    var varHeight = md.ImageLength;
    return varHeight;
    function getRating(tn) {
    md = tn.metadata;
    md.namespace = "
    http://ns.adobe.com/xap/1.0/"
    var varRating = md.Rating;
    return varRating;
    function listKeywords(tn) {
    md = tn.metadata;
    md.namespace = "
    http://ns.adobe.com/photoshop/1.0/";
    var Keywords = md.Keywords;
    var varKeywords = "" ;
    for ( var i = 0; i < Keywords.length; ++i ) { varKeywords
    = varKeywords
    + Keywords + ","; }
    return varKeywords;

    I updated the script so it exports an XML file from Bridge
    with full
    compatibility with the Spry Demo Photo Gallery, to use as
    photos.xml.
    It's at the same address:
    http://www.imagicdigital.com/spry/bridge_export_xml.zip
    To Use:
    The script goes in the folder "StartupScripts" in Program
    Files/Common
    Files/Adobe.
    Launch Bridge and browse to a folder that contains the files
    you want in
    your gallery -- the "source" folder, as it were.
    Choose the menu command "Tools > Export XML for Spry
    Gallery".
    Type a name for your XML file in the Save dialog box, choose
    a location,
    and hit "Save".
    In the dialog box that pops up, enter a max length/width for
    your
    thumbnails, in pixels. Some common sizes are "75" , "100" or
    "125".
    Hit "OK". You should see an alert pop up telling you "XML
    file
    successfully created!"

  • XML tags in an "export : XML" Report Template

    Hi All,
    I'm using the export XML report template to produce XML from a query. One of the column contains XML tags and the template is translating eg: if the column is "Groups" then I get:
    <Groups>& lt ;Group& gt ;Sales & lt ;/Group & gt ; & lt ;Group& gt ;IT& lt ;/Group& gt ;</Groups>(ignoring all the spaces - OTN is translating the & gt 's :)
    instead of:
    <Groups><Group>Sales<Group><Group>IT</Group></Groups>Is there an easy way to stop this ?
    Thanks,
    Steve
    Edited by: spilgrim on Mar 6, 2009 12:14 PM
    Edited by: spilgrim on Mar 6, 2009 12:14 PM

    Hi Steve,
    Did you ever solve this? I'm having a similar issue while trying to build a Report Query that I want to build with nested elements.
    &lt;?xml version="1.0" encoding="UTF-8" ?&gt;
    - &lt;ROWSET&gt;
    - &lt;ROW&gt;
    &lt;EE_ID&gt;467&lt;/EE_ID&gt;
    &lt;EE_GRIDS&gt;
    &lt;EE_GRID INDEX="1"&gt;
    &lt;EE_INCENTIVE_CASH_PROGRAM&gt;MIP&lt;/EE_INCENTIVE_CASH_PROGRAM&gt;
    &lt;EE_BONUS&gt;20&lt;/EE_BONUS&gt;
    &lt;/EE_GRID&gt;
    &lt;EE_GRID INDEX="2"&gt;
    &lt;EE_INCENTIVE_CASH_PROGRAM&gt;VIP&lt;/EE_INCENTIVE_CASH_PROGRAM&gt;
    &lt;EE_BONUS&gt;30&lt;/EE_BONUS&gt;
    &lt;/EE_GRID&gt;
    &lt;/EE_GRIDS&gt;
    &lt;/ROW&gt;
    - &lt;ROW&gt;
    &lt;EE_ID&gt;468&lt;/EE_ID&gt;
    &lt;EE_GRIDS&gt;
    &lt;EE_GRID INDEX="1"&gt;
    &lt;EE_INCENTIVE_CASH_PROGRAM&gt;MIP&lt;/EE_INCENTIVE_CASH_PROGRAM&gt;
    &lt;EE_BONUS&gt;20&lt;/EE_BONUS&gt;
    &lt;/EE_GRID&gt;
    &lt;EE_GRID INDEX="2"&gt;
    &lt;EE_INCENTIVE_CASH_PROGRAM&gt;VIP&lt;/EE_INCENTIVE_CASH_PROGRAM&gt;
    &lt;EE_BONUS&gt;30&lt;/EE_BONUS&gt;
    &lt;/EE_GRID&gt;
    &lt;/EE_GRIDS&gt;
    &lt;/ROW&gt;
    &lt;/ROWSET&gt;
    Thanks
    Keith
    Edited by: kmatthew on Mar 17, 2009 2:44 PM

  • How to recover IN & OUT after exporting XML file from iMovie9 to FinalCut ?

    Here is my WorkFlow :
    - Log & Capture my HDV footage in FCP - ProRes422.
    - Move the captured ProRes 422 clips to a new EVENT in iMovie.
    - Roughcut my edits in iMovie with no effects, no audio goof offs, ... just straight cuts.
    - Share ( export ) XML FCP file >> import XML file to FCP >> create Archive of FCP project with MediaManager to gather used clips in a new project.
    Everything is great, BUT :
    clips that MediaManager gathers in the browser window do not have the In & Out points, although clips on the timeline representing frame accurate cuts from iMovie.
    Is there any way to do this and have the in & out points in browser clips matching to the cuts on the timeline ?

    Do what you want, I'm not trying to change your workflow, but you can do all you say you do in FCP. If you change the browser to icon view, you can place the icons in a storyboard sequence right in the browser, and the icons are scrubable as well. In FCP, you can export EDLs, which you can't do in iMovie. You can also set the timeline window to dislplay the clips in Filmstrip view, which gives you the same visual representation that you have in iMovie. If you zoom all the way into your timeline, you can see every single frames as a thumbnail.
    You already have the pro application. You're really only slowing yourself down by rough cutting in iMovie. But do as you will. In the end, it's really only about telling a story. I just prefer to have the least amount of obstacles while doing so.

  • Exporting to a PDF with facing pages

    Please help, I have encounter a problem with InDesign CS4, which I didn't have with CS3 version.
    When I export an InDesign document with facing pages into a PDF, it turns it into a PDF document with consecutive pages (spreads are broken into individual pages). I want to keep the facing pages format in PDF as well.
    My document is an online newsletter, which can be printed on an office printer. Pages are letter size for convenience
    Now, I tried to check "Spreads" in the export to PDF dialogue box and what happened is that Acrobat resized spreads containing 2 facing letter-size pages onto a single letter size page. The cover appears and prints fine, but all the spreads are downsized.
    What am I doing wrong????

    Thank you very much, I went into Acorbat's file-properties and set it up there and it worked!
    but for some reason I never had to change settings in Acrobat with InDesign CS3 documents

  • Want attach the XML data file with layout template in Oracle 10g

    Hi All,
    I need a help from you genius guys.
    I am genrating reports in BI with xml the procedure which I am following is as below.
    1. generating XML from the RDF
    2. creating a template in .rtf format
    3.after that loading the xml to the template then getting the required report.
    This all is doing through the given buttons
    But now my requirement is to create the gui from user can select the report and get the desire output file so how we would be able to attach the XML data file with layout template in Oracle 10g.
    If you require more detail please let me knnow.
    Thanks,
    Harry

    I am not using Oracle apps.
    I am using oracle 10g reports and I get something in it like one patch I downloded and one java code is having which creates the batch file ...still I am working on it ..
    If you will get some please share so that it will be helpful.
    Thanks,
    Harry

  • XML Reports end with WARNING Status, Using Virtual Hostname by Veritas HA

    Dear Experts,
    We have upgraded our Application from 11.5.10.2 to R12, 12.1.3. Now in the Upgraded Application we are unable to open/view any of the XML based Concurrent Reports. All the XML Concurrent Reports are ending in Status WARNING.
    When we click on the View Out put, we are just getting the XML code and not the XML based reports.
    The log file of Out Put Postprocessor shows the following errors:
    ================================================
    5/28/13 12:40:20 PM] [STATEMENT] [960882:RT4152834] Get Output Type
    [5/28/13 12:40:20 PM] [STATEMENT] [960882:RT4152834] XML file name: /mnt/oracle/ERPROD/inst/apps/ERPROD_erp-lh-dr/logs/appl/conc/out/o4152834.out
    [5/28/13 12:40:20 PM] [STATEMENT] [960882:RT4152834] XML file is on node: ERP-LH-DR
    [5/28/13 12:40:20 PM] [UNEXPECTED] [960882:RT4152834] java.sql.SQLException: Exhausted Resultset
    at oracle.jdbc.driver.OracleResultSetImpl.getString(OracleResultSetImpl.java:1224)
    at oracle.apps.fnd.cp.util.CpUtil.getCanonicalLocalNode(CpUtil.java:127)
    at oracle.apps.fnd.cp.opp.XMLPublisherProcessor.process(XMLPublisherProcessor.java:244)
    at oracle.apps.fnd.cp.opp.OPPRequestThread.run(OPPRequestThread.java:176)
    [5/28/13 12:40:20 PM] [960882:RT4152834] Completed post-processing actions for request 4152834.
    And error like below:
    The error we are getting from the Application log files are related to Hostname. Following is the abstract from the Output Post Processor log.
    [5/29/13 2:56:02 PM] [UNEXPECTED] [960900:RT4155505] java.sql.SQLException: Exhausted Resultset
    at oracle.jdbc.driver.OracleResultSetImpl.getString(OracleResultSetImpl.java:1224)
    at oracle.apps.fnd.cp.util.CpUtil.getCanonicalLocalNode(CpUtil.java:127)
    at oracle.apps.fnd.cp.opp.XMLPublisherProcessor.process(XMLPublisherProcessor.java:244)
    at oracle.apps.fnd.cp.opp.OPPRequestThread.run(OPPRequestThread.java:176)
    ===============================================================
    Concurrent Manger Log files shows the following error:
    ===========================================================
    Executing request completion options...
    Output file size:
    430455
    ------------- 1) PUBLISH -------------
    Beginning post-processing of request 4158856 on node ERP-LH-DR at 30-MAY-2013 18:53:38.
    Post-processing of request 4158856 failed at 30-MAY-2013 18:53:38 with the error message:
    One or more post-processing actions failed. Consult the OPP service log for details.
    ------------- 2) PRINT   -------------
    Not printing the output of this request because post-processing failed.
    Finished executing request completion options.
    Concurrent request completed
    ==========================================================
    **Please suggests:**
    **1- Is there any way to make these XML reports work with Veritas HA, using Virtual hostname**
    **2- Can we identify or pin point from where the Out Put Postprocessor is setting the Physical Hostname.**
    Regards
    Ali Ammar

    Hi,
    The metalink note Output Post Processor Fails Due to java.sql.SQLException: Exhausted Resultset [ID 740529.1], is not related to us, we have already verified that. In our case the Application is running on Virtual Hostname and this virtual hostname is taken care by Veritas Library, ACC.
    Secondly the FND_NODES also shows the Virtual hostname as the application is configured on Virtual Hostname. So in our case its not seems to be comming from the FND_NODES tables, rather it seems that some of the Java files/class is picking it by the OS command uname -a.
    So if we can find that class or environment file of java, we can export the Virtual Hostname as we used it in configuration. Please note that the Concurrent Manager and Application listener are also working fine on the Virtual Hostname, by using the Veritas library.
    Solaris:
    LD_PRELOAD_32=/usr/lib/secure/libvuname.so
    VHOSTNAME=<virtual hostname>
    Please suggest.
    Best Regards
    Ali Ammar.

  • How to create an interactive magazine with CS3

    I am trying to create an interactive magazine with CS3 and don't know how to do it. First of all, is this possible with CS3 or do I need to upgrade to CS4? And if it is possible, can anyone tell me a step by step plan to follow? Or is there a book or download I can get for more information which is recommended?
    Thanks

    Google is your friend: Interactive Newsletters
    You can make digital newsletters for PDF in CS3 or 4. To make a digital newsletter that can be viewed in a browser (export to swf) you need CS4. Big advantage of swf is much smaller file size than PDF.
    One free bit of advice: design your file horizontally (11 w x 8.5h) since that works best for reading a PDF or swf online.

  • Export XML in right frame rate  for resolve?

    Hi!
    I'm in serious need for some help! When I import my exported XML sequence from premiere in to DaVinci Resolve 10 lite, I get an error message saying "The imported sequence frame rate (25) must be the same as the project frame rate (23,976)." All of my settings in Premiere that I can think of is set to 23,976fps, but if I understand the error message right, DaVinci claims the XML is 25fps... doesn't make any sense at all. I've tried for several hours now getting this to work, but it won't.
    I would really appreciate some help with this one, I'm in a hurry (as always, we're behind schedule). Worked with Davinci many times before, never had any problem with it.
    Regards
    /Patrik

    I am not a Resolve user, but could it be that Resolve has been set up for a 25fps project? And maybe the lite version restricts your frame size?
    Just curious.

  • Delete batches with zero stock from dropdown list

    Hi All,
    I have a requirement on batch stock materials.The exist program displaying multiple batches for material plant with stock and without stock in the drop down list for MCH1 table in the pop up window.
    Now i would need to delete the batches with zero stock from drop down list.I could find the data for stock and non stock from MCHB table .
    Any idea how to delete the entry of non stock batches from drop down list
    Regards,
    Reddy

    Hi All,
    The logic has already been implemented to for drop down list for all batches(with or without stock) for material plant.the follwing code has been written for the same.
    Any idea how to delete the entry for non stck baches from the drop down list.
    this is the code
      SET PARAMETER ID 'MAT' FIELD help_lips-matnr.
       SET PARAMETER ID 'WRK' FIELD help_lips-werks.
      Export parameters to memory to enable search help via classes
       CLEAR dseltab.
       REFRESH dseltab.
       dseltab-fldname = 'MANDT'.
       MOVE sy-mandt TO dseltab-fldinh.
       APPEND dseltab.
       dseltab-fldname = 'MATNR'.
       MOVE help_lips-matnr TO dseltab-fldinh.
       APPEND dseltab.
       dseltab-fldname = 'WERKS'.
       MOVE help_lips-werks TO dseltab-fldinh.
       APPEND dseltab.
       dseltab-fldname = 'CHARG'.
       MOVE help_lips-charg TO dseltab-fldinh.
       APPEND dseltab.
       EXPORT dseltab TO MEMORY ID 'DSELTAB'.
      Get description for search help
       mc_object = 'MCH1'.
       lf_shlpname = mc_object.
       CALL FUNCTION 'F4IF_GET_SHLP_DESCR'
         EXPORTING
           shlpname = lf_shlpname
           shlptype = 'SH'
         IMPORTING
           shlp     = lx_shlp
         EXCEPTIONS
           OTHERS   = 1.
      Enable value copy from search help to dynpro field
       READ TABLE lx_shlp-interface INTO ls_interface
                                    WITH KEY shlpfield = 'CHARG'.
       ls_interface-valfield = 'X'.
       MODIFY lx_shlp-interface FROM ls_interface INDEX sy-tabix.
      Start search help dialog
       CALL FUNCTION 'F4IF_START_VALUE_REQUEST'
         EXPORTING
           shlp          = lx_shlp
         TABLES
           return_values = lt_retvalues
         EXCEPTIONS
           OTHERS        = 1.
       IF sy-subrc EQ 0.
         READ TABLE lt_retvalues INTO ls_retvalue
                                 WITH KEY fieldname = 'CHARG'.
         IF sy-subrc EQ 0.
           lips-charg = ls_retvalue-fieldval.
           gs_lips-charg = ls_retvalue-fieldval.
         ENDIF.
       ENDIF.
    Regards
    Reddy

  • Exporting Versions to image with meta data

    Hey folks, I'm looking to find an Aperture Plugin that will export processed images (versions) with all its associated meta data in XML format.
    I intend to use this exported data in a custom application - I've seen export plugins to Picasa, and others, but so far they just seem to handle the images alone.
    Can anyone suggest a location to where I might find such a beast? (or is anyone in development of this? - I'm very surprised it isn't included as a built-in feature.
    Thanks in advance,
    Ted

    Has anyone had success with Ubermind's Aperture to FileMaker?
    I've had it work once or twice, but usually, despite rigorously following their apparently simple instructions, Aperture refuses to recognize the database.
    Would be pleased to know if there's something they haven't been clear about in their instructions.
    Regards,
    Brent

Maybe you are looking for

  • Drivers Stop when mailer sends email

    We have recently deployed a proven mailer process to a customers existing installation. The process sends out a text message based on alarm conditions. On our customers computer whenever the mailer object is triggered, both an AB driver (ethernet to

  • ORA-01722: invalid number

    Hi,[email protected] we are working on Import tool, which takes a CSV file and inserts in Oracle DB.I am using PLSQL UTL_File.Please look into the PLSQL file and clarify my Queries. If the Last column is a Varchar field, we are able to insert R

  • "click on the link for each error to highlight the location of the error in the PDF file" fails

    I'm working on a document which has tables in it. When I run the accessibility checker for 508 compliance, it tells me the document failed the test (g) 4 Table element(s) with no TH child elements and then provides links to the 4 tables in question.

  • Why OSPF use wildcard mask? Not subnet mask?

    Why OSPF use wildcard mask? Not subnet mask? Any advantage of using wildcard in OSPF? How wildcard in OSPF work? I saw some OSPF configuration for class b network use 0.0.0.255 as an OSPF wildcard mask. What does it mean? Is that mean to exchange onl

  • ClassCastExection on Undeploy

    We are using JAX-WS client stubs generated by wsimport to integratre external web services. Since the first external service was included the following exception occurs when undeploying the application. java.lang.ClassCastException: $Proxy236 cannot