Indesign server web service - where is the support to upload a file with the script and download the result?

Hi,
I am working on a POC that is supposed to convert indd files to pdf (i.e. using of course the indesign server). Basically I want to call the IDS Web Service (located on a different machine perhaps), pass in the input file, the conversion script and retrieve the result as part of the WebService call? 
Browsing the documentation, examples, etc in the SDK, I couldn't see how the above can be achieved without the client handling the file transfer. Surely I must be missing something ...
thanks
Chris

What do you mean with POC?
InDesign Server is too precious (i.e. license cost) to waste its time with file transfers.
For a smaller scale, let a separate process (some http or smb server) on the same server hardware handle the files - so that the InDesign Server can access them on the fastest local volume.
If you plan for bigger, use a dedicated server for file sharing (your choice of SMB, NFS or whatever), where the input files are prepared by the client process, so that your load balancer can immediately point the next free instance of the InDesign server farm to the file. In that case be prepared for some try and error - high speed file sharing can be tricky with files written from one side not yet visible or incomplete to the other side, locking problems, Unicode file name trouble, unexpected time stamps and so forth.
Btw, there is also an InDesign Server forum which would be more appropriate for such discussions.
Dirk

Similar Messages

  • My iPod touch 4th gen. Won't charge with a enercell charger that I've used since December. It will only charge with the apple USB cord that came with it. And even the takes it about 6 sec. To realize its charging. Help me fix this?

    My iPod touch 4th gen. Won't charge with a enercell charger that I've used since December. It will only charge with the apple USB cord that came with it. And even the takes it about 6 sec. To realize its charging. Help me fix this?

    Yes, I've been using it for months. And I can charge other devices with it. (my iPhone) but something weird just happened..... I kept on pluging it in the iPod and sometimes it would start to chàrge then sometimes it won't charge. Charges every time with the iPhone though.

  • In Photoshop Elements 12, is there a way to batch process all photos in a file with 'Auto Tone' and save the changes?

    In Photoshop Elements 12, is there a way to batch process all photos in a file with 'Auto Tone' and save the changes?

    Thank you, that was perfect!
    Yoni

  • When I am open file with adobe Pro and reader the resolution in my computer failing, change the resolution from 1920x1200 to 800x600. my video card is nvidia quadro 2000. w7 & 32 bits

    when I am open file with adobe Pro and reader the resolution in my computer failing, change the resolution from 1920x1200 to 800x600. my video card is nvidia quadro 2000. w7 & 32 bits

    Hi fabiangs,
    I'm not sure that I follow. Are you saying that when you open a PDF file in Acrobat or Reader, that the display resolution changes automatically on your system?
    What version of Acrobat/Reader are you using? Do you see this same issue in other files/applications?
    I look forward to hearing back from you.
    Best,
    Sara

  • Various applications are crashing on my iPad, including Facebook, Safari, and TwoDots, along with others. I have tried all of the solutions I found except doing a factory reset and downloading the backed up iCloud version of the iPad. What do I do?

    When I try to open or access some features of these apps, I get the
    loading sign, then the screen turns black, and it takes me to my Home screen. Sometimes this also occurs when opening links in Facebook and Safari, and some of my Apps are completely useless as a result of this. I have rebooted thrice, re-downloaded the apps, and tried clearing them from the queue, nothing works. Also, I have noticed that the background of the home screen is oriented incorrectly at times, (background is portrait whilst the rest of the screen is landscape) and I'm really at a loss. I assume it's a glitch with iOS 7.1.1... The iPad is a 4th generation and has shown no problems until recently, around when I updated. I'm not jail broken or anything, but my Wal-Mart warranty has expired. What should I do?

    IMO, you answered your own question with your lead in about backing up, erasing the device and restoring from the backup. That's what I would try next.
    If that doesn't work, I would backup with iTunes, and restore the iOS again using iTunes. You can't restore the iOS by simply erasing the device. You have to use iTunes in order to reinstall the iOS.
    iCloud: Restore your iOS device from iCloud - Apple Support
    Use iTunes to restore your iOS device to factory settings

  • How can i read all the lines from a text file in specific places and use the data ?

    string[] lines = File.ReadAllLines(@"c:\wmiclasses\wmiclasses1.txt");
    for (int i = 0; i < lines.Length; i++)
    if (lines[i].StartsWith("ComboBox"))
    And this is how the text file content look like:
    ComboBox Name cmbxOption
    Classes Win32_1394Controller
    Classes Win32_1394ControllerDevice
    ComboBox Name cmbxStorage
    Classes Win32_LogicalFileSecuritySetting
    Classes Win32_TapeDrive
    What i need to do is some things:
    1. Each time the line start with ComboBox then to get only the ComboBox name from the line for example cmbxOption.
       Since i have already this ComboBoxes in my form1 designer i need to identify where the cmbxOption start and end and when the next ComboBox start cmbxStorage.
    2. To get all the lines of the current ComboBox for example this lines belong to cmbxOption:
    Classes Win32_1394Controller
    Classes Win32_1394ControllerDevice
    3. To create from each line a Key and Value for example from the line:
    Classes Win32_1394Controller
    Then the key will be Win32_1394Controller and the value will be only 1394Controller
    Then the second line key Win32_1394ControllerDevice and value only 1394ControllerDevice
    4. To add to the correct belonging ComboBox only the value 1394Controller.
    5. To make that when i select in the ComboBox for example in cmbxOption the item 1394Controller it will act like i selected Win32_1394Controller.
    For example in this event:
    private void cmbxOption_SelectedIndexChanged(object sender, EventArgs e)
    InsertInfo(cmbxOption.SelectedItem.ToString(), ref lstDisplayHardware, chkHardware.Checked);
    In need that the SelectedItem will be Win32_1394Controller but the user will see in the cmbxOption only 1394Controller without the Win32_
    This is the start of the method InsertInfo
    private void InsertInfo(string Key, ref ListView lst, bool DontInsertNull)
    That's why i need that the Key will be Win32_1394Controller but i want that the user will see in the ComboBox only 1394Controller without the Win32_

    Hello,
    Here is a running start on getting specific lines in the case lines starting with ComboBox. I took your data and placed it into a text file named TextFile1.txt in the bin\debug folder. Code below was done in
    a console app.
    using System;
    using System.IO;
    using System.Linq;
    namespace ConsoleApplication1
    internal class Program
    private static void Main(string[] args)
    var result =
    from T in File.ReadAllLines(Path.Combine(AppDomain.CurrentDomain.BaseDirectory, "TextFile1.txt"))
    .Select((line, index) => new { Line = line, Index = index })
    .Where((s) => s.Line.StartsWith("ComboBox"))
    select T
    ).ToList();
    if (result.Count > 0)
    foreach (var item in result)
    Console.WriteLine("Line: {0} Data: {1}", item.Index, item.Line);
    Console.ReadLine();
    Please remember to mark the replies as answers if they help and unmark them if they provide no help, this will help others who are looking for solutions to the same or similar problem. Contact via my webpage under my profile but do not reply to forum questions.

  • When I turn on my macbook pro, the white screen displays a file with a question mark in the middle. What does this mean?

    Suddenly, my macbook pro has experienced problems. When I turn on my computer, the white screen displays a flashing file folder icon with a quesrion mark in the middle. Has my hard drive burnt out? Thank you in advance for any helpful suggestions..

    It means your computer is search for a start up volume.  You need to reboot into recovery mode and attempt to repair your disk.  To do this restart the computer and hold the keys:
    <command> + r
    Then open Disk utility.
    http://support.apple.com/kb/ts1417

  • Export QuickTime file with new audio and maintain the file size and quality as the original.

    I shot some footage for a client yesterday and ran into an issue. To make a long story short I have QuickTime mov files shot with my Panasonic GH4 that have a buzzing sound in the audio track. I have clean audio from a recorder that can be sync'd. Is there a way for me to do this for the client and deliver them as the same QuickTime file but with the clean audio and keep the file size close to the original and not have quality loss in the image?
    If so I will probably put all of the spanned clips together from each interview and sync the audio before delivery. I am just not sure which codec will give the client the same quality footage compared to the originals and not have a massive difference in the overall file size. They did request that they be Quicktime MOV files though so that is a must.
    I don't see this as an option in the codecs in the export settings in PP, but is there a way to export as ProRes or another MAC native codec that will save them from having to convert it on their end? I am on a PC with Adobe CS5.5 so I am not too familiar with MACs, but from what I understand they would need to convert the files if I sent them straight out of the camera.
    I found some related search results for this but they pertained to "Best quality" for export. I am not sure how the varying options work but I don't want to create files that are considerably larger, just not less quality.
    If anyone has experience with this it would be greatly appreciated.
    Thanks,
    Cole

    Here's the workflow: I imported the video footage into iMovie '08 and did my edits. Then I exported it (share) to my desktop with compression set @ 740 X 480. Then I used QuickTime Pro to fix the audio track. The file plays perfectly with both audio tracks working. It's a QuickTime file (.mov).
    I hope this jars any replies as to why the file when uploaded to my iWeb gallery drops the second audio track.
    Hmm,
    Jack

  • Proving the Input values in a table with a dropdown and save the values

    Hi Experts,
    I have  a requirement to create a table which is empty (in BSP)and I want to enter the values in a table, for eg: Unit , RegNo, Regvalidity date, item categories. are the coulum names.But I have to display the values in the categories column  in dropdown.
    Finally I enter the values in a table and select the values in a categorie column and save the values in a ztable.
    Please provide me solution how to proceed with this requirement?.
    Thanks ,
    Regards,
    Kiran

    Hi Kiran,
    For creating blank tabel in BSP use the iterator. See the beolow  link for information on creating balnk lines using iterator,
    http://help.sap.com/saphelp_nw04/helpdata/en/2a/31b98a35a111d5992100508b6b8b11/frameset.htm
    the code in render_cell_start method of iterator class should be something like,
    initially you render all cells as blank so that the blank table is created in page.
    when a row is selected you render unit, reg no., reg validity date as inputfield and categories as dropdown listbox.
    Dropdown in Tableview
    link might help you for DDLB in tableview.
    Search the forum and blogs for more code samples.
    Regards,
    Anubhav

  • I just switched to Road Runner (with Time Warner) and downloaded the free security they offer. Now I can't get my AOL email to load. It does work with Windows Internet Explorer. Suggestions?

    The AOL webmail page opens, but my folders don't load.

    You're welcome. Please mark this thread as solved.

  • SQL 2012 R2 - SSRS with the Report Server Web Service URL, can't access

    Hello:
    I am installing Dynamics CRM 2013.  When I am on RS Configuration manager; I am running into the SSRS (SQL 2012 on Server 2012)SQL issue, can't access the
    http://servername/:80/ReportsServer or
    http://servername/:Reports web pages
    The database server has SSRS native mode installed, it is using a domain account for the service credentials.  This account also has permission to log on a service in the GPO
    Account is a domain admin and is a local administrator
    SQL server is 2012 R2 on Windows Server 2012.  User base is less than 60 people and they have SharePoint 13 on the same SQL server.  Server more than enough resources.
    Any assistance would be appreciated.
    Thanks..Dan

    Hi DCas1,
    According to your description, you could not access
    http://servername/:80/ReportsServer or http://servername/:Reports web pages from Reporting Services configuration manager, SSRS in configured in native mode and the account you used is a local administrator.
    In Reporting Services, URLs are used to access the Report Server Web service and Report Manager. Before we can use either application, we need to configure at least one URL each for the Web service and Report Manager. If we are using the Reporting Services
    Configuration tool to create or modify the URLs, we can accept the default values for a URL or specify custom values. When we create a report server URL, we must specify the following parts: Host name, port and Virtual directory. In order to improve the efficiency
    of troubleshooting, I need to ask several questions:
    Since the default URL is http://<computername>/reportserver, did you type the URLs manually? or the URLs configured in Reporting Services configuration manager are
    http://servername/:80/ReportServer and
    http://servername/:Reports?
    Could you provide detailed information of error log(default location: %programfiles%\Microsoft SQL Server\MSRS11.MSSQLSERVER\Reporting Services\LogFiles)?
    For more information about Configuring a URL, please refer to the following documents:
    http://msdn.microsoft.com/en-us/library/ms159261(v=sql.110).aspx
    http://msdn.microsoft.com/en-us/library/bb630447(v=sql.110).aspx
    If you have any more questions, please feel free to ask.
    Thanks,
    Wendy Fu

  • The server at Mac OS X Server Web Services requires a username and password

    I am running SL Server 10.6.2, wiki works but when a person clicks an attached file in a wiki and then selects "open" they get a login popup with the notification The server at Mac OS X Server Web Services requires a username and password. It doesn't matter what they put into the login/pass it comes back. If they hit cancel then the document opens. If they click save then it saves with no issue. I can type in the admin login/pass of the server and it works. Does this mean the security settings to the location of the files is wrong? Any help is greatly appreciated!

    By the way they are using Internet Explorer 7 when opening these documents.

  • Indesign Server CS4 service is not starting on Windows Server 2003 64bit

    Hello guys,
    I am not able to start Indesign Server CS4 service on windows Server 2003 SP2 64bit .
    I have successfuly configured the service with InDesignServerService.msc, set the port to 18555. InDesignServerWinService the Log On option is set to "This Account". Also tried using different accounts!
    When starting the indesign service from windows Service control panel I get this error:
    Could not start the InDesignServerService x64 service on Local Computer.
    Error 1053: The service did not respond to the start or control request in a timely fashion.
    Error log from windows Event viewer:
    Error
    Timeout (30000 milliseconds) waiting for the InDesignServerService x64 service to connect.
    Indesign server application works if launching from command line with the specified port 18555.
    If trying to lauch IndesignServerService.exe from command line, there is a delay and finally nothing happens.
    I have also tried launching 32bit indesign server service and the same error comes.
    Would be grateful for your thoughts!
    Message was edited by: Andrewdev
    Server specs:
    Windows Server 2003
    Standard x64 Edition
    Service Pack 2
    Intel Xeon CPU 3.00Ghz
    9.76 GB of Ram
    Server is running virtualy on Xen hypervisor, there is no antivirus and windows firewall is disabled.

    Hi Chandi,
          If Microsoft fix is not working or it is too old to apply then go for manual process i.e.;
          In the Microsoft KB article follow this :-
         Services that use the local system account to log on to a Windows Server 2003-based computer start if the Allow service to interact with desktop
         option is turned on. To turn this option on, follow these steps:
    In the Services tool, click the service that you want to start, and then click Properties.
    Right-click the Log On tab, and then click to select the Allow service to interact with desktop check box.
    Click OK to exit the Properties dialog box.
       This will solve your problem.
       Thanks,
       Akansh Upadhyaya,
       System Engineer,
       (Windows + Unix.)

  • Difference of Oracle Application Server Web Services and JDeveloper

    As new to the Webservices my Question is what is difference of:
    - 1. Web Services Assistents in JDeveloper 1.3 (JAXRPC specification, WS-Sec)
    - 2. "Oracle Application Server Web Services" 10.1.2 using WebServicesAssembler (depreciated ?)
    - 3. Apache Soap Server 2 based (deprecated ?)
    When should I use the iAS Assistent and when the JDeveloper one for generation?
    Why don't they use the same stuff?
    Does anyone have some experience for projects on this?
    Thx, Willi
    Have not found any Topic with an explanation on this. If you know someone please point me to that.
    oOracle Web Services Framework Confusion
    oracle web services framework confusion
    Web service Assembler Tool

    Thanks a lot for clearing this things to me.
    I have to start a web services projects and I am confused which tools to use - JDeveloper Assistents or the WebServicesAssembler (as pointed out before).
    Because I did not find some hints on this (expecpt your ones), it seems to me that I am missing some point or criteria on that I can do such a decision when to use what of those two tools.
    Do I understand you right, that in future JDeveloper and the WebServicesAssembler will use the same .jar files and also generate the same code?
    Thanks a lot for such valuable hints, Willi

  • Issue while Calling Rights Management LifeCycle Server web service to apply policies to a pdf

    Hi,
    I am trying to apply a policy to a pdf using MTOM LifeCycle server web service API. Currently the server is using the https protocol. I followed the below links for this.
    Adobe LiveCycle * Applying Policies to PDF Documents
    Adobe LiveCycle * Quick Start (MTOM): Applying a policy to a PDF document using the web service API
    I changed the IP address in the URL while adding the reference and creating the endpoint. But I am receiving the below error message.
    The provided URI scheme 'https' is invalid; expected 'http'. Parameter name: via.
    can someone please help.
    Thanks,
    Nikhil

    Below is the c# code and config files.
    using System;
    using System.Collections.Generic;
    using System.Linq;
    using System.Text;
    using System.ServiceModel;
    using System.IO;
    using System.Net;
    using System.Net.Security;
    using System.Security.Cryptography.X509Certificates;
    using ConsoleApplication1.ServiceReference1;
    namespace ConsoleApplication1
        class Program
            static void Main(string[] args)
                try
                    //Create a RightsManagementServiceClient object
                    RightsManagementServiceClient rmClient = new RightsManagementServiceClient();
                    rmClient.Endpoint.Address = new System.ServiceModel.EndpointAddress("https://IPAddressofSite/soap/services/RightsManagementService?blob=mtom");
                   //Enable BASIC HTTP authentication
                    BasicHttpBinding b = (BasicHttpBinding)rmClient.Endpoint.Binding;
                    b.MessageEncoding = WSMessageEncoding.Mtom;
                    rmClient.ClientCredentials.UserName.UserName = "********";
                    rmClient.ClientCredentials.UserName.Password = "*********";
                    b.Security.Transport.ClientCredentialType = HttpClientCredentialType.Basic;
                    //b.Security.Mode = BasicHttpSecurityMode.TransportCredentialOnly;
                   b.Security.Mode = BasicHttpSecurityMode.Transport;
                    //Create a BLOB that represents the PDF document
                    //to which a policy is applied
                    BLOB inDoc = new BLOB();
                    //Reference the PDF document to which a policy is applied
                    string inputFileName = @"P:\PDF\TextToPDf.pdf";
                    FileStream fs = new FileStream(inputFileName, FileMode.Open);
                    //Get the length of the file stream
                    int len = (int)fs.Length;
                    byte[] ByteArray = new byte[len];
                    //Populate the byte array with the contents of the FileStream object
                    fs.Read(ByteArray, 0, len);
                    inDoc.MTOM = ByteArray;
                    //Prepare output parameters
                    string PolicyID;
                    string DocumentID;
                    string MimeType;
                    SetCertificatePolicy();
                    //Apply a policy to a PDF document named Loan.pdf
                    BLOB outDoc = rmClient.protectDocument(
                        inDoc,
                        "TextToPDf.pdf",
                        "Test Policy Set",
                        "Test Policy 1",
                        null,
                        null,
                        ConsoleApplication1.ServiceReference1.RMLocale.en,
                        out PolicyID,
                        out DocumentID,
                        out MimeType);
                    //Populate a byte array with the contents of the BLOB
                    byte[] outByteArray = outDoc.MTOM;
                    //Create a new file containing the policy-protected PDF document
                    string FILE_NAME = @"P:\PDF\PolicyProtectedLoanDoc.pdf";
                    FileStream fs2 = new FileStream(FILE_NAME, FileMode.OpenOrCreate);
                    BinaryWriter w = new BinaryWriter(fs2);
                    w.Write(outByteArray);
                    w.Close();
                    fs2.Close();
                catch (Exception ee)
                    Console.WriteLine(ee.Message);
                    Console.ReadKey();
            /// <summary>
            /// Sets the cert policy.
            /// </summary>
            public static void SetCertificatePolicy()
                ServicePointManager.ServerCertificateValidationCallback += RemoteCertificateValidate;
            /// <summary>
            /// Remotes the certificate validate.
            /// </summary>
            private static bool RemoteCertificateValidate(object sender, X509Certificate cert, X509Chain chain, SslPolicyErrors error)
                // trust any certificate!!!
                System.Console.WriteLine("Warning, trust any certificate");
                return true;
    web.config:
    <?xml version="1.0" encoding="utf-8" ?>
    <configuration>
        <system.serviceModel>
            <bindings>
                <basicHttpBinding>
                    <binding name="RightsManagementServiceSoapBinding" closeTimeout="00:01:00"
                        openTimeout="00:01:00" receiveTimeout="00:10:00" sendTimeout="00:01:00"
                        allowCookies="false" bypassProxyOnLocal="false" hostNameComparisonMode="StrongWildcard"
                        maxBufferSize="65536" maxBufferPoolSize="524288" maxReceivedMessageSize="65536"
                        messageEncoding="Text" textEncoding="utf-8" transferMode="Buffered"
                        useDefaultWebProxy="true">
                        <readerQuotas maxDepth="32" maxStringContentLength="8192" maxArrayLength="16384"
                            maxBytesPerRead="4096" maxNameTableCharCount="16384" />
                        <security mode="Transport">
                            <transport clientCredentialType="None" proxyCredentialType="None"
                                realm="AXIS" />
                            <message clientCredentialType="UserName" algorithmSuite="Default" />
                        </security>
                    </binding>
                    <binding name="RightsManagementServiceSoapBinding1" closeTimeout="00:01:00"
                        openTimeout="00:01:00" receiveTimeout="00:10:00" sendTimeout="00:01:00"
                        allowCookies="false" bypassProxyOnLocal="false" hostNameComparisonMode="StrongWildcard"
                        maxBufferSize="65536" maxBufferPoolSize="524288" maxReceivedMessageSize="65536"
                        messageEncoding="Text" textEncoding="utf-8" transferMode="Buffered"
                        useDefaultWebProxy="true">
                        <readerQuotas maxDepth="32" maxStringContentLength="8192" maxArrayLength="16384"
                            maxBytesPerRead="4096" maxNameTableCharCount="16384" />
                        <security mode="None">
                            <transport clientCredentialType="None" proxyCredentialType="None"
                                realm="" />
                            <message clientCredentialType="UserName" algorithmSuite="Default" />
                        </security>
                    </binding>
                </basicHttpBinding>
            </bindings>
            <client>
                <endpoint address="https://IPAddressofSite/soap/services/RightsManagementService"
                    binding="basicHttpBinding" bindingConfiguration="RightsManagementServiceSoapBinding"
                    contract="ServiceReference1.RightsManagementService" name="RightsManagementService" />
            </client>
        </system.serviceModel>
    </configuration>

Maybe you are looking for

  • Has anyone else run across Error 213.23 or cpsid_83578?

    Hi All, I have a Master Suite CS5 installation problem on Windows 7 64 bit - Have exhausted first layer of tech service.  The 3 tech service persons do not have a solution for the errors shown below.  Next layer of tech service will call back.  It ha

  • Illustrator not responding.. 'force quit' is futile too !

    Hi! My illustrator stopped working in the middle of my trying to save an illustrator file. I am awfully stuck as my mac is not shutting or restarting too.. says 'please quit illustrator to shut down/ restart'. I have no idea and although have been re

  • Preformance issues when upgrading from dbxml 2.3.8 to 2.4.13

    I have recently upgraded my dbxml distribution from 2.3.8 to 2.4.13 (including the latest patch). I have noticed that many of the queries I issue take longer than they used to. Specifically if the query is complex it takes 10 times as long as it did

  • Printing in Acrobat Reader X gives an extra unwanted line in the bottom margin

    Printing in Acrobat Reader X gives an extra unwanted line in the bottom margin. This margin should normally be blank. The line pattern follows the pattern of the print inside the margins. How can I print without this extra line?. The problem does not

  • FP-AO-210 to replace analog potentiometer?

    I have an old machine with 0-5V knob-style potentiometers for heat control. I wish to parallel into the potentiometer with Fieldpoint modules. Can I do this with a FP-AO-210 (0-10V output)? Of course I would only utilize 0-5V. I would use the 1601 Ne