Internal data error when uploading images

I have had no problem uploading files and images. Now, I can
upload files, but when I try to upload an image I get FTP error -
internal data error. I also connected directly to my server and
tried to transfer images, but that didn't work either. Does anybody
know what could be causing this?

On Sun, 15 Oct 2006 18:26:07 +0000 (UTC),
"nolonger_marchetti"
<[email protected]> wrote:
>I have had no problem uploading files and images. Now, I
can upload files, but
>when I try to upload an image I get FTP error - internal
data error. I also
>connected directly to my server and tried to transfer
images, but that didn't
>work either. Does anybody know what could be causing
this?
I've never heard of this, but two things come to mind.
1) Is a file in question opening being edited in another
application?
2) Have you tried passive FTP?
hth

Similar Messages

  • Internal Server Error when Uploading Contect in c#

    Well there is another post about this http://discussions.apple.com/thread.jspa?messageID=4471561&#4471561 but it didn't have a solution and the person having the issue never mentioned getting it working.
    Here is the function I'm using to post http data to itunesu.. all the post data works and returns properly except when uploading a file.
    Any help would be apreciated.. I think my headers and contect headers are correct.
    Brian
    --Code--
    private string HttpPost( string uri, string fileName )
    HttpWebRequest webRequest = WebRequest.Create( uri ) as HttpWebRequest;
    webRequest.Method = "POST";
    webRequest.KeepAlive = true;
    string boundary = "0xKhTmLbOuNdArY";
    byte[] fileBuffer = null;
    byte[] headerBuffer = null;
    byte[] boundaryBeginningBuffer = null;
    byte[] boundaryEndingBuffer = null;
    long contentLength = 0;
    if( fileName != null && fileName != string.Empty )
    webRequest.ContentType = "multipart/form-data; boundary=" + boundary;
    // Open up a file stream and read the file into the file buffer
    using( FileStream fileStream = new FileStream( fileName, FileMode.Open, FileAccess.Read ) )
    //read the file into the buffer
    fileBuffer = new byte[fileStream.Length];
    fileStream.Read( fileBuffer, 0, fileBuffer.Length );
    contentLength += fileBuffer.Length;
    //convert the header to a byte array
    headerBuffer = System.Text.Encoding.UTF8.GetBytes( UrlEncodeForITunesU( string.Format( "Content-Disposition: form-data; name=\"file\"; filename=\"{0}\"\r\n Content-Type: application/octet-stream\r\n", fileName ) ) );
    boundaryBeginningBuffer = System.Text.Encoding.UTF8.GetBytes( "\r\n--" + boundary + "\r\n" );
    boundaryEndingBuffer = System.Text.Encoding.UTF8.GetBytes( "\r\n--" + boundary + "--\r\n" );
    contentLength += headerBuffer.Length;
    contentLength += boundaryBeginningBuffer.Length;
    contentLength += boundaryEndingBuffer.Length;
    else
    webRequest.ContentType = "application/x-www-form-urlencoded";
    Stream outputStream = null;
    try
    { // send the Post
    webRequest.ContentLength = contentLength;
    outputStream = webRequest.GetRequestStream();
    if ( contentLength > 0 )
    //write out the beginning boundary
    outputStream.Write( boundaryBeginningBuffer, 0, boundaryBeginningBuffer.Length );
    //write out the content header
    outputStream.Write( headerBuffer, 0, headerBuffer.Length );
    //write out the content
    outputStream.Write( fileBuffer, 0, fileBuffer.Length );
    //write out the ending boundary
    outputStream.Write( boundaryEndingBuffer, 0, boundaryEndingBuffer.Length );
    catch ( WebException ex )
    MessageBox.Show( ex.Message, "HttpPost: Request error", MessageBoxButtons.OK, MessageBoxIcon.Error );
    finally
    if ( outputStream != null )
    outputStream.Close();
    try
    { // get the response
    WebResponse webResponse = webRequest.GetResponse();
    if ( webResponse == null )
    return null;
    StreamReader sr = new StreamReader( webResponse.GetResponseStream() );
    return sr.ReadToEnd().Trim();
    catch ( WebException ex )
    MessageBox.Show( ex.Message, "HttpPost: Response error", MessageBoxButtons.OK, MessageBoxIcon.Error );
    return null;
    }

    Well I rewrote the code one more time and it worked amazingly enough. Below is the completed post function if anybody else needs a little help.
    --Code--
    private string HttpPost( string uri, string fileName )
    HttpWebRequest webRequest = HttpWebRequest.Create( uri ) as HttpWebRequest;
    string boundary;
    boundary = "RESTMIME" + DateTime.Now.ToString( "yyyyMMddhhmmss" );
    // fileData
    UTF8Encoding encoding = new UTF8Encoding();
    byte[] fileBytes = new byte[0];
    byte[] postFooter = null;
    FileStream fileStream = null;
    long contentLength = 0;
    byte[] postContents = null;
    byte[] dataBuffer = null;
    if ( fileName != null && fileName != string.Empty )
    webRequest.ContentType = "multipart/form-data; boundary=\"" + boundary + "\"";
    // Build up the post message header
    StringBuilder sb = new StringBuilder();
    sb.Append( "--" + boundary + "\r\n" );
    sb.Append( "Content-Disposition: form-data; name=\"file\"; filename=\"" + Path.GetFileName( fileName ) + "\"\r\n" );
    sb.Append( "Content-Type: application/octet-stream\r\n" );
    sb.Append( "\r\n" );
    // open up the file for reading
    fileStream = new FileStream( fileName, FileMode.Open, FileAccess.Read );
    contentLength += fileStream.Length;
    int uploadLength = (int) fileStream.Length;
    int startIndex = 0;
    fileBytes = new byte[uploadLength];
    fileStream.Seek( startIndex, SeekOrigin.Begin );
    fileStream.Read( fileBytes, 0, uploadLength );
    // We need to add in a linefeed/carriage return after the file
    // data for the ending boundary.
    postFooter = encoding.GetBytes( "\r\n--" + boundary + "--\r\n" );
    postContents = encoding.GetBytes( sb.ToString() );
    dataBuffer = new byte[postContents.Length + fileBytes.Length + postFooter.Length];
    Buffer.BlockCopy( postContents, 0, dataBuffer, 0, postContents.Length );
    Buffer.BlockCopy( fileBytes, 0, dataBuffer, postContents.Length, fileBytes.Length );
    Buffer.BlockCopy( postFooter, 0, dataBuffer, postContents.Length + fileBytes.Length, postFooter.Length );
    contentLength = dataBuffer.Length;
    else
    webRequest.ContentType = "application/x-www-form-urlencoded";
    contentLength = 0;
    Stream requestStream = null;
    try
    webRequest.ContentLength = contentLength;
    webRequest.UserAgent = "Mozilla/4.0 FlickrNet API (compatible; MSIE 6.0; Windows NT 5.1)";
    webRequest.Method = "POST";
    webRequest.Referer = "http://www.example.com";
    webRequest.KeepAlive = false;
    webRequest.Timeout = 100000 * 100;
    webRequest.ContentLength = contentLength;
    requestStream = webRequest.GetRequestStream();
    if ( contentLength > 0 )
    int uploadBit = Math.Max( dataBuffer.Length / 100, 50 * 1024 );
    int uploadSoFar = 0;
    for ( int i = 0; i < dataBuffer.Length; i = i + uploadBit )
    int toUpload = Math.Min( uploadBit, dataBuffer.Length - i );
    uploadSoFar += toUpload;
    requestStream.Write( dataBuffer, i, toUpload );
    catch ( WebException ex )
    MessageBox.Show( ex.Message, "HttpPost: Request error", MessageBoxButtons.OK, MessageBoxIcon.Error );
    finally
    if ( requestStream != null )
    requestStream.Close();
    try
    { // get the response
    WebResponse webResponse = webRequest.GetResponse();
    if ( webResponse == null )
    return null;
    StreamReader sr = new StreamReader( webResponse.GetResponseStream() );
    return sr.ReadToEnd().Trim();
    catch ( WebException ex )
    MessageBox.Show( ex.Message, "HttpPost: Response error", MessageBoxButtons.OK, MessageBoxIcon.Error );
    return null;
    Message was edited by: dishawbr

  • Error when uploading image (SCCM 2012)

    hello all 
    i get the following error "the instruction at 0x779f7a1f referenced memory at 0x00000028. The memory could not be written"
    when uploading an image to sccm from a precision T3600. Our infrastructure is other wise fine, its just the one model we are having problems with and this
    was working last January (the last time I installed a batch). Ive seen blogs that get this when someone is creating vms with sccm but not much else. 
    all my workstations are Windows 7 x64
    Any help is appreciated 
    thanks

    Pro tip; never build images on physical machines. :-)
    John Marcum | Microsoft MVP - Enterprise Client Management
    My blog: System Center Admin | Twitter:
    @SCCM_Marcum | Linkedin:
    John Marcum

  • Can anyone list problems/errors when uploading data using BDC's and BAPI's?

    Can anyone list the problems/errors when uploading data using BDC's and BAPI's?

    Hi,
    If you are actually creating a BDC to load data pls be more specific.
    Data format incorrect. Tab delimited/ etc
    Dates in wrong formats
    Currency incorrect formats
    Missing screens
    Wrong transaction code
    File not found,
    Missing Mandatory fields,
    Screen resoultion.
    You should always use refresh for your Bdcdata table.
    Loop at internal table.
    refresh Bdcdata.
    regards,
    sowjanya.

  • Uploading pages to FTP - Get error of internal data error

    I had malware on my computer and had to redo the whole computer and reinstall Dreamweaver CS5. I have not had to redo this for 4 years and in the process ..none of my pages will upload with Dreamweaver as before. All I did was update my pictures like I do every month. I got some of the text updated on the web using Filezilla, but the Dreamweaver upload will not work..I get the Dreamweaver internal data error sign.
    What am I doing wrong?
    My web site is www.williamshomesteadranch.com
    The index page, contact us page, well done page, and infor links pages uploaded ok with Filezilla, but the none will  upload with Dreamweaver. Filezilla uploaded all but the new pictures on the other pages.
    Please help!
    Sue

    > I'd like to know if there is a fix out there
    We haven't identified the source of the problem yet. I have
    no trouble
    uploading PDFs with any version of DW, so I would be
    profoundly surprised if
    this were a DW problem.
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.dreamweavermx-templates.com
    - Template Triage!
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    http://www.macromedia.com/support/search/
    - Macromedia (MM) Technotes
    ==================
    "Mustang151" <[email protected]> wrote in
    message
    news:eggkcj$gpt$[email protected]..
    > I've just recently encountered a similar problem with
    uploading PDF's
    > through
    > Dreamweaver. All other file types upload just fine, but
    the PDF's give an
    > 'internal data error'. I'd like to know if there is a
    fix out there, or
    > pending, as I really would like to avoid having to use a
    different FTP
    > client
    > to upload one file type. I have the most recent
    Dreamweaver MX2004 update,
    > which doesn't seem to have fixed the problem. Any
    further suggestions?
    >

  • I am getting a error IO when trying to upload multiple images within wordpress using the flash uploader. I do not get the error when uploading using explorer. The error only appears if I try uploading using firefox....any ideas?

    I am getting a error IO when trying to upload multiple images within wordpress using the flash uploader. I do not get the error when uploading using explorer. The error only appears if I try uploading using firefox....any ideas?

    Logged the call with SAP who directed me to 'Define settings for attachments' in IMG and setting the 'Deactivate Java Applet' & 'Deactivate Attachment versioning' checkboxes - problem solved.

  • Internal data error possibly because of failure to start the upload

    This happens when i try and PUT a new file to the remote server.
    If i PUT an existing file it works??
    Please help!!

    Hi PNM,
    Copying from the document http://helpx.adobe.com/dreamweaver/kb/troubleshoot-ftp-problems-dreamweaver-cs4.html
    If you're receiving an "Internal Data Error" message when trying to connect in Dreamweaver, it's likely that the server is down. A good way to determine if the server is down is to see if you can connect with a different FTP client. If no client can connect, then there's probably something wrong with the server.

  • Error when uploading master data

    Hello everybody...
                                  I m finding an error when uploading the master data (BW 3.5)from a flat file. error is...
    Error 8 when compiling the upload program: row
    227, message: The data type
    /BIC/CCABZRAK_COUN_ATTR was modified
    plz suggest me.....
    Thanks & Regards
    Rakesh Jangir

    Hi,
    There might be two reasons..
    1. In your flat file you have data in lower case .. if you want upper case data also just make change in IO to allow lower case data also..
    2. Close the flat file while loading data...
    Regards,
    viren..

  • Error while uploading images to SAP Mobile Documents from iPad application using ObjectiveCMIS.

    Hi,
    I am getting the error while uploading images to SAP Mobile Documents from custom iOS(iPad )application using ObjectiveCMIS library.
    My Custom method is as follows:
    - (void)createSalesOrderRouteMapImageInFolder:(NSString*)salesOrderRouteMapFolderId routeMapImageTitle:(NSString *)imageTitle routeMapContent:(NSData *)imageData
        NSInputStream *inputStream = [NSInputStream inputStreamWithData:imageData];
        NSMutableDictionary *properties = [NSMutableDictionary dictionary];
        [properties setObject:[NSString stringByAppendingFileExtension:imageTitle] forKey:@"cmis:name"];
        [properties setObject:@"cmis:document" forKey:@"cmis:objectTypeId"];
        [self.session createDocumentFromInputStream:inputStream
                                           mimeType:@"image/png"
                                         properties:properties
                                           inFolder:salesOrderRouteMapFolderId
                                      bytesExpected:[imageData length]
                                    completionBlock:^(NSString *objectId, NSError *error) {
                                        NSLog(@"Object id is %@",objectId);
                                        if(error == nil) {
                                            [inputStream close];
                                            NSLog(@"Uploading Sales order route map successfully.");
                                            [[NSNotificationCenter defaultCenter] postNotificationName:SaveOrderSuccessNotification object:nil];
                                        } else {
                                            [inputStream close];
                                            NSLog(@"Uploading sales order route map failed.");
                                            [[NSNotificationCenter defaultCenter] postNotificationName:SaveOrderFailedNotification object:error];
                                    } progressBlock:^(unsigned long long bytesUploaded, unsigned long long bytesTotal) {
                                        NSLog(@"uploading... (%llu/%llu)", bytesUploaded, bytesTotal);
    OBjectiveCMIS Method in which i am getting error during upload:
    - (void)sendAtomEntryXmlToLink:(NSString *)link
                 httpRequestMethod:(CMISHttpRequestMethod)httpRequestMethod
                        properties:(CMISProperties *)properties
                contentInputStream:(NSInputStream *)contentInputStream
                   contentMimeType:(NSString *)contentMimeType
                     bytesExpected:(unsigned long long)bytesExpected
                       cmisRequest:(CMISRequest*)request
                   completionBlock:(void (^)(CMISObjectData *objectData, NSError *error))completionBlock
                     progressBlock:(void (^)(unsigned long long bytesUploaded, unsigned long long bytesTotal))progressBlock
        // Validate param
        if (link == nil) {
            CMISLogError(@"Must provide link to send atom entry");
            if (completionBlock) {
                completionBlock(nil, [CMISErrors createCMISErrorWithCode:kCMISErrorCodeInvalidArgument detailedDescription:nil]);
            return;
        // generate start and end XML
        CMISAtomEntryWriter *writer = [[CMISAtomEntryWriter alloc] init];
        writer.cmisProperties = properties;
        writer.mimeType = contentMimeType;
        NSString *xmlStart = [writer xmlStartElement];
        NSString *xmlContentStart = [writer xmlContentStartElement];
        NSString *start = [NSString stringWithFormat:@"%@%@", xmlStart, xmlContentStart];
        NSData *startData = [NSMutableData dataWithData:[start dataUsingEncoding:NSUTF8StringEncoding]];
        NSString *xmlContentEnd = [writer xmlContentEndElement];
        NSString *xmlProperties = [writer xmlPropertiesElements];
        NSString *end = [NSString stringWithFormat:@"%@%@", xmlContentEnd, xmlProperties];
        NSData *endData = [end dataUsingEncoding:NSUTF8StringEncoding];
        // The underlying CMISHttpUploadRequest object generates the atom entry. The base64 encoded content is generated on
        // the fly to support very large files.
        [self.bindingSession.networkProvider invoke:[NSURL URLWithString:link]
                                         httpMethod:httpRequestMethod
                                            session:self.bindingSession
                                        inputStream:contentInputStream
                                            headers:[NSDictionary dictionaryWithObject:kCMISMediaTypeEntry forKey:@"Content-type"]
                                      bytesExpected:bytesExpected
                                        cmisRequest:request
                                          startData:startData
                                            endData:endData
                                  useBase64Encoding:YES
                                    completionBlock:^(CMISHttpResponse *response, NSError *error) {
                                        if (error) {
                                            CMISLogError(@"HTTP error when sending atom entry: %@", error.userInfo.description);
                                            if (completionBlock) {
                                                completionBlock(nil, error);
                                        } else if (response.statusCode == 200 || response.statusCode == 201 || response.statusCode == 204) {
                                            if (completionBlock) {
                                                NSError *parseError = nil;
                                                CMISAtomEntryParser *atomEntryParser = [[CMISAtomEntryParser alloc] initWithData:response.data];
                                                [atomEntryParser parseAndReturnError:&parseError];
                                                if (parseError == nil) {
                                                    completionBlock(atomEntryParser.objectData, nil);
                                                } else {
                                                    CMISLogError(@"Error while parsing response: %@", [parseError description]);
                                                    completionBlock(nil, [CMISErrors cmisError:parseError cmisErrorCode:kCMISErrorCodeRuntime]);
                                        } else {
                                            CMISLogError(@"Invalid http response status code when sending atom entry: %d", (int)response.statusCode);
                                            CMISLogError(@"Error content: %@", [[NSString alloc] initWithData:response.data encoding:NSUTF8StringEncoding]);
                                            if (completionBlock) {
                                                completionBlock(nil, [CMISErrors createCMISErrorWithCode:kCMISErrorCodeRuntime
                                                                                     detailedDescription:[NSString stringWithFormat:@"Failed to send atom entry: http status code %li", (long)response.statusCode]]);
                                      progressBlock:progressBlock];
    Attaching the logs:
    ERROR [CMISAtomPubBaseService sendAtomEntryXmlToLink:httpRequestMethod:properties:contentInputStream:contentMimeType:bytesExpected:cmisRequest:completionBlock:progressBlock:] HTTP error when sending atom entry: Error Domain=org.apache.chemistry.objectivecmis Code=260 "Runtime Error" UserInfo=0x156acfa0 {NSLocalizedDescription=Runtime Error, NSLocalizedFailureReason=ASJ.ejb.005044 (Failed in component: sap.com/com.sap.mcm.server.nw) Exception raised from invocation of public void com.sap.mcm.server.service.AbstractChangeLogService.updateChangeLog(java.lang.String,boolean) throws com.sap.mcm.server.api.exception.MCMException method on bean instance com.sap.mcm.server.nw.service.NwChangeLogService@4e7989f3 for bean sap.com/com.sap.mcm.server.nw*annotation|com.sap.mcm.server.nw.ejb.jar*annotation|NwChangeLogService in application sap.com/com.sap.mcm.server.nw.; nested exception is: javax.ejb.EJBTransactionRolledbackException: ASJ.ejb.005044 (Failed in component: sap.com/com.sap.mcm.server.nw) Exception raised from invocation of public com.sap.mcm.server.model.ChangeLog com.sap.mcm.server.dao.impl.ChangeLogDaoImpl.findByUserId(java.lang.String) method on bean instance com.sap.mcm.server.dao.impl.ChangeLogDaoImpl@2852b733 for bean sap.com/com.sap.mcm.server.nw*annotation|com.sap.mcm.server.nw.ejb.jar*annotation|ChangeLogDaoImpl in application sap.com/com.sap.mcm.server.nw.; nested exception is: javax.persistence.NonUniqueResultException: More than 1 objects of type ChangeLog found with userId=25f8928e-8ba0-4edd-b08e-43bf6fb78f1a; nested exception is: javax.ejb.EJBException: ASJ.ejb.005044 (Failed in component: sap.com/com.sap.mcm.server.nw) Exception raised from invocation of public com.sap.mcm.server.model.ChangeLog com.sap.mcm.server.dao.impl.ChangeLogDaoImpl.findByUserId(java.lang.String) method on bean instance com.sap.mcm.server.dao.impl.ChangeLogDaoImpl@2852b733 for bean sap.com/com.sap.mcm.server.nw*annotation|com.sap.mcm.server.nw.ejb.jar*annotation|ChangeLogDaoImpl in application sap.com/com.sap.mcm.server.nw.; nested exception is: javax.persistence.NonUniqueResultException: More than 1 objects of type ChangeLog found with userId=25f8928e-8ba0-4edd-b08e-43bf6fb78f1a}
    2015-03-12 04:08:31.634 Saudi Ceramics[4867:351095] Uploading sales order route map failed.

    Hi Sukalyan,
    Have you checked the below links?
    These will give you step by step implementation procedure.
    http://www.sdn.sap.com/irj/scn/go/portal/prtroot/docs/library/uuid/a099a3bd-17ef-2b10-e6ac-9c1ea42af0e9?quicklink=index&overridelayout=true
    http://wiki.sdn.sap.com/wiki/display/WDJava/KmuploadusingWebdynproapplication
    Regards,
    Sandip

  • An FTP error occurred - cannot put [file name.htm]. Dreamweaver encountered an internal data error

    I get the message “Server not responding” whenever trying to add files to my web site via DW. The following message appears: "An FTP error occurred - cannot put [file name.htm]. Dreamweaver encountered an internal data error. Please try the operation again." 
    I called the hosting service provider, and they said they were able to upload a 20 mb document with no problem. I was also able to upload a document using Filezilla.
    Therefore, the problem must be with DW.
    When I go to Manage Sites and choose my site and get to the Test Connection button, the test is successful, which further confuses the issue.
    Any guidance would be greatly appreciated. 

    Does this help?
    http://forums.adobe.com/thread/861606
    Also check the log:
    http://forums.adobe.com/thread/937231
    It is possible it is a host issue but because they use a higher level account to test that they do not see the error.

  • Error 500 -Internal Server Error when I click on browse catelog button on Reports and Analytics in Fusion

    Hi
    I am unable to access Reports and Analytics . It throws a Error 500 -Internal Server Error when I click on browse catelog button on Reports and Analytics in Fusion
    I have all the required roles and also BIADMINISTRATOR ACCESS still I am unable to login to Reports and Analytics. I have cleared the cache also.
    My collegue who has the same roles is able to access it.
    Regards
    Avinash

    I created the showModule.xhtml in the web.view.module\src\main\resources folder and test the application and Now I'm getting the error in both deployment ways.
    a) Local deployment: Same result
    Error 500--Internal Server Error
    com.sun.faces.context.FacesFileNotFoundException: /showModule.xhtml Not Found in ExternalContext as a Resource
    at com.sun.faces.facelets.impl.DefaultFaceletFactory.resolveURL(DefaultFaceletFactory.java:232)
    at com.sun.faces.facelets.impl.DefaultFaceletFactory.resolveURL(DefaultFaceletFactory.java:273)
    b) Remote server:
    Error 500--Internal Server Error
    com.sun.faces.context.FacesFileNotFoundException: /showModule.xhtml Not Found in ExternalContext as a Resource
    at com.sun.faces.facelets.impl.DefaultFaceletFactory.resolveURL(DefaultFaceletFactory.java:232)
    at com.sun.faces.facelets.impl.DefaultFaceletFactory.resolveURL(DefaultFaceletFactory.java:273)
    Please check the below screenshots for the mappings captured in the properties window.
    http://imageshack.us/photo/my-images/5/srwebviewmodule.png/
    http://imageshack.us/photo/my-images/811/eclipseexplorer.png/
    http://imageshack.us/photo/my-images/521/cdiandrichfacesear.png/
    http://imageshack.us/photo/my-images/90/cdiandrichfaces.png/
    Thanks,
    Vijaya

  • No suitable driver error when upload a pdf

    We are going to develop our own packaging tool which can provide convenient service for   Adobe Content Server.
    Before we begin on this project, we use the java sample console program which is called UploadTest to find out
    how to interact with Adobe Content Server.
    However, when we use the  UploadTest jar tool to package a PDF to Adobe Content Server and send our request
    successfully, the server always response a error as below with “httpStatus:200 " and “contentType:application/vnd.adobe.adept+xml”:
    <error xmlns="http://ns.adobe.com/adept" data="E_PACK_DATABASE http://192.168.34.56:8080/packaging/Package
    No%20suitable%20driver"/>
    Other details:
    (1)I am in Guangzhou China now ,but the server is  in the charge of our USA Team in American.
    (2)The commandline we use:
    java -Xmx1024M -jar UploadTest-1_2.jar http://our website/packaging/Package PdfFilePath -pass password.
    Who can help me?Why do the error arise? Do I need some other steps to make? Waiting for help online .Thank you very much!

    Thank you for helping us to catch the error.
    2012/12/13 Jim_Lester <[email protected]>
       Re: no suitable driver error when upload a pdf  created by Jim_Lester<http://forums.adobe.com/people/Jim_Lester>in
    Adobe Content Server - View the full discussion<http://forums.adobe.com/message/4918463#4918463

  • 500 Internal Server Error on Uploaded Files?

    Hey guys
    After getting back into Dreamweaver CS4, I've tried to upload to www.DuffyDesigns.co.uk/Beta. It seems to upload fine, the files are there, however, it gives me a 500 Internal Server Error when I try to view it. I've tried saving the file, the uploading it manually, and that works, but I don't want to have to do that every time
    Any fixes, questions or ideas?
    Thanks
    Joseph Duffy

    I'm assuming these are .php pages.
    I'm also assuming that your host has error display turned off.
    Try adding this to the very top of your home page:
    <?php
    ini_set('display_errors', 1);
    ini_set('log_errors', 1);
    ini_set('error_log', dirname(__FILE__) . '/error_log.txt');
    error_reporting(E_ALL);
    ?>
    This should display the proper error message.
    If that does not help, try making a very simple PHP page, like this:
    <?php phpinfo(); ?>
    And see what that displays.

  • INTERNAL.CLIENT_RECEIVE_FAILED Error when receiving by HTTP

    Hello my name is Arkaitz.
    I have this error *"INTERNAL.CLIENT_RECEIVE_FAILED Error when receiving by HTTP (error code: 110, error text: )"*
    <?xml version="1.0" encoding="UTF-8" standalone="yes" ?>
    - <!--  Call Integration Server
      -->
    - <SOAP:Envelope xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" xmlns:SAP="http://sap.com/xi/XI/Message/30">
    - <SOAP:Header>
    - <SAP:Main xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" xmlns:wsu="http://www.docs.oasis-open.org/wss/2004/01/oasis-200401-wss-wssecurity-utility-1.0.xsd" versionMajor="003" versionMinor="000" SOAP:mustUnderstand="1" wsu:Id="wsuid-main-92ABE13F5C59AB7FE10000000A1551F7">
      <SAP:MessageClass>SystemError</SAP:MessageClass>
      <SAP:ProcessingMode>synchronous</SAP:ProcessingMode>
      <SAP:MessageId>DD351E48-7EED-DA5D-E100-0000AC1D4E74</SAP:MessageId>
      <SAP:RefToMessageId>4E111D48-1C55-742C-E100-00000AD2202B</SAP:RefToMessageId>
      <SAP:TimeSent>2008-05-05T15:59:00Z</SAP:TimeSent>
    - <SAP:Sender>
      <SAP:Service>ECYR</SAP:Service>
      <SAP:Interface namespace="" />
      </SAP:Sender>
    - <SAP:Receiver>
      <SAP:Party agency="" scheme="" />
      <SAP:Service>BSBWC_35</SAP:Service>
      <SAP:Interface namespace="http://www.ecyr.report.bw.sql">MI_1</SAP:Interface>
      <SAP:Mapping />
      </SAP:Receiver>
      <SAP:Interface namespace="http://www.ecyr.report.bw.sql">MI_2</SAP:Interface>
      </SAP:Main>
    - <SAP:ReliableMessaging xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" SOAP:mustUnderstand="1">
      <SAP:QualityOfService>BestEffort</SAP:QualityOfService>
      </SAP:ReliableMessaging>
    - <SAP:Error xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" SOAP:mustUnderstand="1">
      <SAP:Category>XIServer</SAP:Category>
      <SAP:Code area="INTERNAL">CLIENT_RECEIVE_FAILED</SAP:Code>
      <SAP:P1>110</SAP:P1>
      <SAP:P2 />
      <SAP:P3 />
      <SAP:P4 />
      <SAP:AdditionalText />
      <SAP:ApplicationFaultMessage namespace="" />
      <SAP:Stack>Error when receiving by HTTP (error code: 110, error text: )</SAP:Stack>
      <SAP:Retry>M</SAP:Retry>
      </SAP:Error>
    - <SAP:HopList xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" SOAP:mustUnderstand="1">
    - <SAP:Hop timeStamp="2008-05-05T15:59:00Z" wasRead="false">
      <SAP:Engine type="BS">BSBWC_35</SAP:Engine>
      <SAP:Adapter namespace="http://sap.com/xi/XI/System">XI</SAP:Adapter>
      <SAP:MessageId>4E111D48-1C55-742C-E100-00000AD2202B</SAP:MessageId>
      <SAP:Info>3.0</SAP:Info>
      </SAP:Hop>
    - <SAP:Hop timeStamp="2008-05-05T16:02:50Z" wasRead="false">
      <SAP:Engine type="IS">is.00.EMSXIL601PRE</SAP:Engine>
      <SAP:Adapter namespace="http://sap.com/xi/XI/System">XI</SAP:Adapter>
      <SAP:MessageId>4E111D48-1C55-742C-E100-00000AD2202B</SAP:MessageId>
      <SAP:Info>3.0</SAP:Info>
      </SAP:Hop>
      </SAP:HopList>
    - <SAP:RunTime xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/">
      <SAP:Date>20080505</SAP:Date>
      <SAP:Time>175900</SAP:Time>
      <SAP:Host>emmbwl501pre</SAP:Host>
      <SAP:SystemId>BWC</SAP:SystemId>
      <SAP:SystemNr>22</SAP:SystemNr>
      <SAP:OS>Linux</SAP:OS>
      <SAP:DB>ORACLE</SAP:DB>
      <SAP:Language />
      <SAP:ProcStatus>023</SAP:ProcStatus>
      <SAP:AdapterStatus>000</SAP:AdapterStatus>
      <SAP:User>ES78914719V</SAP:User>
      <SAP:TraceLevel>1</SAP:TraceLevel>
      <SAP:LogSeqNbr>000</SAP:LogSeqNbr>
      <SAP:RetryLogSeqNbr>000</SAP:RetryLogSeqNbr>
      <SAP:PipelineIdInternal>SAP_SENDER</SAP:PipelineIdInternal>
      <SAP:PipelineIdExternal>SENDER</SAP:PipelineIdExternal>
      <SAP:PipelineElementId>FEC5B93B44BBA66BE10000000A1148F5</SAP:PipelineElementId>
      <SAP:PipelineService>PLSRV_CALL_INTEGRATION_SERVER</SAP:PipelineService>
      <SAP:QIdInternal />
      <SAP:CommitActor>A</SAP:CommitActor>
      <SAP:SplitNumber>0</SAP:SplitNumber>
      <SAP:NumberOfRetries>0</SAP:NumberOfRetries>
      <SAP:NumberOfManualRetries>0</SAP:NumberOfManualRetries>
      <SAP:TypeOfEngine client="420">SND_CENTR</SAP:TypeOfEngine>
      <SAP:PlsrvExceptionCode />
      <SAP:EOReferenceRuntime type="TID" />
      <SAP:EOReferenceInbound type="TID" />
      <SAP:EOReferenceOutbound type="TID" />
      <SAP:MessageSizePayload>198</SAP:MessageSizePayload>
      <SAP:MessageSizeTotal>0</SAP:MessageSizeTotal>
      <SAP:PayloadSizeRequest>198</SAP:PayloadSizeRequest>
      <SAP:PayloadSizeRequestMap>0</SAP:PayloadSizeRequestMap>
      <SAP:PayloadSizeResponse>0</SAP:PayloadSizeResponse>
      <SAP:PayloadSizeResponseMap>0</SAP:PayloadSizeResponseMap>
      <SAP:Reorganization>INI</SAP:Reorganization>
      <SAP:AdapterInbound>PROXY</SAP:AdapterInbound>
      <SAP:AdapterOutbound>IENGINE</SAP:AdapterOutbound>
      <SAP:InterfaceAction>INIT</SAP:InterfaceAction>
      <SAP:RandomNumber>52</SAP:RandomNumber>
      <SAP:AckStatus>000</SAP:AckStatus>
      <SAP:SkipReceiverDetermination />
      </SAP:RunTime>
    - <SAP:PerformanceHeader xmlns:SAP="http://sap.com/xi/XI/Message/30">
    - <SAP:RunTimeItem>
      <SAP:Name type="CORE">INTEGRATION_ENGINE</SAP:Name>
      <SAP:Timestamp type="begin" host="emmbwl501pre">20080505155900.452389</SAP:Timestamp>
      </SAP:RunTimeItem>
    - <SAP:RunTimeItem>
      <SAP:Name type="CORE">INTEGRATION_ENGINE</SAP:Name>
      <SAP:Timestamp type="end" host="emmbwl501pre">20080505155900.454147</SAP:Timestamp>
      </SAP:RunTimeItem>
    - <SAP:RunTimeItem>
      <SAP:Name type="PLSRV">PLSRV_CALL_INTEGRATION_SERVER</SAP:Name>
      <SAP:Timestamp type="begin" host="emmbwl501pre">20080505155900.454636</SAP:Timestamp>
      </SAP:RunTimeItem>
    - <SAP:RunTimeItem>
      <SAP:Name type="PLSRV">PLSRV_CALL_INTEGRATION_SERVER</SAP:Name>
      <SAP:Timestamp type="end" host="emmbwl501pre">20080505155901.884062</SAP:Timestamp>
      </SAP:RunTimeItem>
      </SAP:PerformanceHeader>
    - <SAP:Diagnostic xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" SOAP:mustUnderstand="1">
      <SAP:TraceLevel>Information</SAP:TraceLevel>
      <SAP:Logging>Off</SAP:Logging>
      </SAP:Diagnostic>
    - <SAP:Trace xmlns:SAP="http://sap.com/xi/XI/Message/30">
      <Trace level="1" type="T">COMMIT is expected by application !</Trace>
      <Trace level="1" type="B" name="CL_XMS_MAIN-ENTER_XMS" />
    - <!--  ************************************
      -->
      <Trace level="1" type="B" name="CL_XMS_MAIN-SET_START_PIPELINE" />
    - <!--  ************************************
      -->
      <Trace level="1" type="B" name="SXMBCONF-SXMB_GET_XMB_USE" />
      <Trace level="1" type="B" name="CL_XMS_TROUBLESHOOT-ENTER_PLSRV" />
      <Trace level="1" type="T">****************************************************</Trace>
      <Trace level="1" type="T">* *</Trace>
      <Trace level="1" type="T">* *</Trace>
      <Trace level="1" type="T">XMB entry processing</Trace>
      <Trace level="1" type="T">system-ID = BWC</Trace>
      <Trace level="1" type="T">client = 420</Trace>
      <Trace level="1" type="T">language = S</Trace>
      <Trace level="1" type="T">user = ES78914719V</Trace>
      <Trace level="1" type="Timestamp">2008-05-05T15:59:00Z CET</Trace>
      <Trace level="1" type="T">* *</Trace>
      <Trace level="1" type="T">* *</Trace>
      <Trace level="1" type="T">****************************************************</Trace>
      <Trace level="1" type="B" name="CL_XMS_MAIN-CALL_UC_EXECUTE" />
    - <!--  ************************************
      -->
      <Trace level="1" type="T">Message-GUID = 4E111D481C55742CE10000000AD2202B</Trace>
      <Trace level="1" type="T">PLNAME = SENDER</Trace>
      <Trace level="1" type="T">QOS = BE</Trace>
      <Trace level="1" type="B" name="CL_XMS_MAIN-CALL_PIPELINE_SYNC" />
    - <!--  ************************************
      -->
      <Trace level="1" type="T">Get definition of external pipeline SENDER</Trace>
      <Trace level="1" type="B" name="CL_XMS_MAIN-LOOKUP_INTERNAL_PL_ID" />
      <Trace level="1" type="T">Corresponding internal pipeline SAP_SENDER</Trace>
      <Trace level="1" type="B" name="CL_XMS_MAIN-WRITE_MESSAGE_LOG_TO_PERSIST" />
    - <Trace level="1" type="B" name="PLSRV_CALL_INTEGRATION_SERVER">
    - <Trace level="1" type="B" name="CL_XMS_MAIN-CALL_PLSRV">
    - <Trace level="1" type="B" name="CL_XMS_MAIN-CALL_PLSRV_LOCAL">
    - <Trace level="1" type="B" name="CL_XMS_PLSRV_IE_ADAPTER-ENTER_PLSRV">
      <Trace level="1" type="T">URL for integration server read from global configuration</Trace>
      <Trace level="1" type="T">URL= Dest://SAPISU_XII</Trace>
      <Trace level="1" type="B" name="CL_XMS_PLSRV_CALL_XMB-CALL_XMS_HTTP" />
      </Trace>
      </Trace>
      </Trace>
      </Trace>
      <Trace level="1" type="B" name="CL_XMS_MAIN-WRITE_MESSAGE_LOG_TO_PERSIST" />
      <Trace level="1" type="B" name="CL_XMS_MAIN-WRITE_MESSAGE_LOG_TO_PERSIST" />
      <Trace level="1" type="B" name="CL_XMS_MAIN-WRITE_MESSAGE_TO_PERSIST" />
    - <!--  ************************************
      -->
      </SAP:Trace>
      </SOAP:Header>
    - <SOAP:Body>
      <SAP:Manifest xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:wsu="http://www.docs.oasis-open.org/wss/2004/01/oasis-200401-wss-wssecurity-utility-1.0.xsd" wsu:Id="wsuid-manifest-5CABE13F5C59AB7FE10000000A1551F7" />
      </SOAP:Body>
      </SOAP:Envelope>
    Can you help me?
    thank

    Hi,
    I think it is the problem with your HTTP connection used by ABAP proxy. so when your PI system tries to connect to ECC using HTTP it fails to connect.
    Regards,
    Indranil
    Award points if applicable

  • "dreamweaver encountered an internal data error" - can't connect to server (CS6)

    Since last week I can't connect to all of my websites using Dreamweaver. When I click on connect or switch to the server view I instantly get the error message "dreamweaver encountered an internal data error".
    The websites are on different servers and I can connect to each of them using another FTP Software like SmartFTP.
    I already used google and found some "solutions" like checking the "FTP timeout time". But even a timeout time of 60 seconds instantly brings the error message.
    Also I tried a fresh install of Dreamweaver yesterday but this doesn't help.
    OS is Windows 8 Pro x64
    Any advice would be great because I can't work without Dreamweaver.

    Which Anti-virus and Firewall are you using?
    When DW starts acting weird, the first thing to try is Deleting Corrupted Cache in DW
    http://forums.adobe.com/thread/494811
    If that doesn't help, try Restore Preferences
    http://helpx.adobe.com/dreamweaver/kb/restore-preferences-dreamweaver-cs4-cs5.html
    If all else fails, use the CC Cleaner Tools below followed by a software re-install.
    http://helpx.adobe.com/creative-suite/kb/cs5-cleaner-tool-installation-problems.html
    Nancy O.

Maybe you are looking for

  • Crystal report default values not showing in BOE

    Hi, In Crystal Designer 2008, we can set parameters to have a default value.  When we refresh the report in Designer, the default value is the one that's automatically selected.  However, once we upload it to BOE, the default value is blank and we mu

  • White Screen computer hard restart

    I have been having this problem for some time ( I have been with apple since the Apple 2) and I have not been able to figure out what is the problem.  I have put in new ram (then took it out and put the old one back in to test it) I have reset pram. 

  • Font Problem in Mail after installation of Office 2008 for Mac

    Since I installed my 2008 Office for Mac I have had occasional problems with the font display in IMail. Sometimes the fonts are just gibberish but will become readable again if/when I change the font sizing. Any suggestions? When I installed Office 2

  • Iphone software download error message

    When trying to download the latest iphone software I get the error message 'There was a problem downloading the software. The network connection is timed out.' Can anyone help with how to deal with this please ?

  • My keynote,pages,numbers document hangs in upload to icloud

    When i create new or when editing documents from Keynote, the icon have the mark of uploading, but it never finish uploading. The document is showing in the icloud.com have the "updating" status on for ever. I can upload documents to the web and they