ERROR request POST returns a 411 error

I have some problems sending a POST request from my midlet:
if i send from 1 to 1448 the servlet takes the content and stores it on a local file
if i send from 1449 to 2000 the servlet takes the content and stores it on a local file up to only 1.41 k (1449 characters) and the emulator takes really long before it returns a "file saved succesfully" message.
if i send above about 2000 characters the servlet returns a 411 error ..
The midlet code is divided in two classes ... the HttpMidlet implements midlet and GUIs classes... whereas the Download class connects in a separate thread
HttpMidlet code
* HttpMidlet.java
* Created on October 23, 2001, 11:19 AM
import javax.microedition.midlet.*;
import javax.microedition.lcdui.*;
import javax.microedition.io.*;
import java.io.*;
* @author  kgabhart
* @version
public class HttpMidlet extends MIDlet implements CommandListener {
    // A default URL is used. User can change it from the GUI
    private static String       defaultURL = "someURL";
    // Main MIDP display
    private Display             myDisplay = null;
    // GUI component for entering a URL
    private Form                requestScreen;
    private TextField           requestField;
    // GUI component for submitting request
    private List                list;
    private String[]            menuItems;
    // GUI component for displaying server responses
    private Form                resultScreen;
    private StringItem          resultField;
    String result;
    // the "send" button used on requestScreen
    Command sendCommand;
    // the "exit" button used on the requestScreen
    Command exitCommand;
    // the "back" button used on resultScreen
    Command backCommand;
    public HttpMidlet(){
        // initialize the GUI components
        myDisplay = Display.getDisplay( this );
        sendCommand = new Command( "SEND", Command.OK, 1 );
        exitCommand = new Command( "EXIT", Command.OK, 1 );
        backCommand = new Command( "BACK", Command.OK, 1 );
        // display the request URL
        requestScreen = new Form( "Type in a URL:" );
        requestField = new TextField( null, defaultURL, 100, TextField.URL );
        requestScreen.append( requestField );
        requestScreen.addCommand( sendCommand );
        requestScreen.addCommand( exitCommand );
        requestScreen.setCommandListener( this );
        // select the HTTP request method desired
        menuItems = new String[] {"GET Request", "POST Request"};   
        list = new List( "Select an HTTP method:", List.IMPLICIT, menuItems, null );
        list.setCommandListener( this );
        // display the message received from server
        resultScreen = new Form( "Server Response:" );
        resultScreen.addCommand( backCommand );
        resultScreen.setCommandListener( this );
    }//end HttpMidlet()
    public void startApp() {
        myDisplay.setCurrent( requestScreen );
    }//end startApp()
    public void commandAction( Command com, Displayable disp ) {
        // when user clicks on the "send" button
        if ( com == sendCommand ) {
            myDisplay.setCurrent( list );
        } else if ( com == backCommand ) {
            // do it all over again
            requestField.setString( defaultURL );
            myDisplay.setCurrent( requestScreen );
        } else if ( com == exitCommand ) {
            destroyApp( true );
            notifyDestroyed();
        }//end if ( com == sendCommand )
        if ( disp == list && com == List.SELECT_COMMAND ) {
            if ( list.getSelectedIndex() == 0 ) // send a GET request to server
              result = sendHttpGet( requestField.getString() );
            else // send a POST request to server
              //result = sendHttpPost( requestField.getString() );
              this.sendHttpPost( requestField.getString() );
            //resultField = new StringItem( null, result );
            //resultScreen.append( resultField );
            //resultScreen.append( result);
            //myDisplay.setCurrent( resultScreen );
        }//end if ( dis == list && com == List.SELECT_COMMAND )
    }//end commandAction( Command, Displayable )
    private String sendHttpGet( String url )
        HttpConnection      hcon = null;
        DataInputStream     dis = null;
        StringBuffer        responseMessage = new StringBuffer();
        try {
            // a standard HttpConnection with READ access
            hcon = ( HttpConnection )Connector.open( url );
            // obtain a DataInputStream from the HttpConnection
            dis = new DataInputStream( hcon.openInputStream() );
            // retrieve the response from the server
            int ch;
            while ( ( ch = dis.read() ) != -1 ) {
                responseMessage.append( (char) ch );
            }//end while ( ( ch = dis.read() ) != -1 )
        catch( Exception e )
            e.printStackTrace();
            responseMessage.append( "ERROR" );
        } finally {
            try {
                if ( hcon != null ) hcon.close();
                if ( dis != null ) dis.close();
            } catch ( IOException ioe ) {
                ioe.printStackTrace();
            }//end try/catch
        }//end try/catch/finally
        return responseMessage.toString();
    }//end sendHttpGet( String )
    private void sendHttpPost( String url )
        //adding code to run thread call
         String contenT = "4444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444444";//String tempURL = url /*+ "?filename=" + filename */;
        Download download = new Download (url, this, contenT);
        download.start ();
    }//end sendHttpPost( String )
    public void setOutput (String result)
        result = result.toString();
        resultScreen.append( result);
        myDisplay.setCurrent( resultScreen );
    public void pauseApp() {
    }//end pauseApp()
    public void destroyApp( boolean unconditional ) {
        // help Garbage Collector
        myDisplay = null;
        requestScreen = null;
        requestField = null;
        resultScreen = null;
        resultField = null;
    }//end destroyApp( boolean )
}//end HttpMidletThe Download class:
//class modified by Diego Gullo to implement multi-threaded connections in MIDP
//importing packages
import javax.microedition.io.*;
import java.io.*;
import javax.microedition.midlet.*;
class Download implements Runnable
    private String url;
    private String contenT;
    private HttpMidlet MIDlet;
    //private String imageName = null;
    private boolean downloadSuccess = false;
    //private String downloadResult;
    public Download (String url, HttpMidlet MIDlet, String content)  //, String imageName)
        this.contenT = content;
        this.url = url;
        this.MIDlet = MIDlet;
        //this.imageName = imageName;
    * Download the image
    public void run ()
        try
            sendContent (url);
        catch (Exception e)
            System.err.println ("Msg: " + e.toString ());
    * Create and start the new thread
    public void start ()
        Thread thread = new Thread (this);
        try
            thread.start ();
        catch (Exception e)
    * Open connection and download png into a byte array.
    private void sendContent (String url) throws IOException
        HttpConnection      hcon = null;
        DataInputStream     dis = null;
        DataOutputStream    dos = null;
        StringBuffer        responseMessage = new StringBuffer();
        // the request body
        String              requeststring = contenT;
        try {
            // an HttpConnection with both read and write access
            hcon = ( HttpConnection )Connector.open( url, Connector.READ_WRITE );
            // set the request method to POST
            hcon.setRequestMethod( HttpConnection.POST );
            // obtain DataOutputStream for sending the request string
            dos = hcon.openDataOutputStream();
            byte[] request_body = requeststring.getBytes();
            // send request string to server
            for( int i = 0; i < request_body.length; i++ ) {
                dos.writeByte( request_body[i] );
            }//end for( int i = 0; i < request_body.length; i++ )
            // obtain DataInputStream for receiving server response
            dis = new DataInputStream( hcon.openInputStream() );
            // retrieve the response from server
            int ch;
            while( ( ch = dis.read() ) != -1 ) {
                responseMessage.append( (char)ch );
            }//end while( ( ch = dis.read() ) != -1 ) {
        catch( Exception e )
            e.printStackTrace();
            responseMessage.append( "ERROR" );
        finally {
            // free up i/o streams and http connection
            try {
                if( hcon != null ) hcon.close();
                if( dis != null ) dis.close();
                if( dos != null ) dos.close();
            } catch ( IOException ioe ) {
                ioe.printStackTrace();
            }//end try/catch
        }//end try/catch/finally
        // Return to the caller the status of the content
        if (responseMessage == null)
            //*MIDlet.*/this.setResult ("No content received!");
            while (responseMessage == null)
                this.sendContent (url);
        else
            //MIDlet.im = result;
            //MIDlet.result = result;
            MIDlet.setOutput (responseMessage.toString());
            //*MIDlet.*/this.setResult (result);
}Any suggestions to solve the problem???
Thanks

we've only deployed on 10.1.3.0.0 so i have not been able to confirm that this is not an issue in 10.1.3.1.0.
even if this has been fixed in 10.1.3.1.0, upgrading may not be an option for us, so we prefer a fix for this in 10.1.3.0.0.
thanks,
ted

Similar Messages

  • Error while posting return delivery to backend system

    Hi All,
    We are facing problem when we are posting return delivery. Currently we are in ECS implementation. Our SRM is 7.0 EHP3.
    Scenario goes as, SC is created then PO is created then further confirmation is created and on creating return delivery of this confirmation, this return delivery goes error in process.
    Now on further analyzing, I found out that outbound IDoc in SRM is getting posted successfully but when ECC receives this IDoc it is saying please enter reason for movement 122. This reason for return is already entered while creating the return delivery. But this reason is not flowing in IDoc (Message Type MBGMCR and Basic Type MBGMCR01) in SRM and further to ECC. This field MOVE_REAS in IDoc is populating blank.
    Can anybody help me resolving this problem? Any pointers or SAP notes related to can also be suggested.
    Thanks
    Siddarth

    Hi Siddarth,
    Please implement the note below, which is included in SP05.
    2007628 - Return delivery cannot be posted in backend system as reason for return delivery is empty
    Regards,
    Wendy

  • Error When Posting Returns Delivery

    Hello Everyone,
    I am encountering an error in SAP whenever I am trying to post a returns delivery - "Value of Goods Movement is Negative".
    I checked OMJJ and negative posting for 122 is allowed. Is there an explanation for this? How can I compute the value of the 122 and where is it coming from?
    Other details
    1. The material I try to return's PO price is 482.81 per 1000 kg.
    2. I post GR with quantity 35, 710 kg with value USD 17, 241.15 on 1/15/2010
    3. Invoiced on 1/19/2010 wuth 35,710 kg with value USD 16, 896.33
    Thanks in advance!

    Hello Antony,
    I already checked that OSS note. Based from Case C of this (which I think is similar to the scenario I mentioned), the value of the goods movement 122 if I return 1000 Kg of this material is USD  463.68 since according to the note, the value can be computed like this
       (net value in invoice * qty to return) - discount
    discount is 2% from price...
    however, I am still encountering the error message. Can someone please explain how to get the movement value and how did SAP identified my returns delivery to be negative?
    Thanks in advance!

  • Error while posting the  Idoc 'Update error, transaction VA01'

    Hi Gurus,
    When an inbound Idoc for sales order is trying  to post we  are  getting the  error 'Update error, transaction VA01'.
    Aslo following  are the  details of  the error:
    Update error, transaction VA01
    Message no. 00377
    Diagnosis
    An error occurred in CALL TRANSACTION USING or CALL DIALOG USING
    during a synchronous update.
    The error was caused by the transaction VA01.
    Update information
    Return code:        009
    Text       :        Error during insert table FPLTC (RC= 1, Key= )
    Procedure
    Pleas analyse your Batch-Input data.
    You can also examine your posting data using the transaction SM13.
    Can somebody let  me  know  what would  be  the cause.
    Also the  we are  trying  to post the  Idoc with a Id which is  having  maximum Authorization.

    Hi,
    Where you able to resolve your issue, I would appreciate if you can share the solution.
    Thanks

  • USMT Errors - Request to SMP failed with error 0x80004005

    The client I am at we are working on using USMT integrated with their OSD task sequence.  Yesterday we setup a State Migration Point on the DP that is located at this office. We ran a task sequence for testing purposes that just basically does the Scan
    State.  The few machines we tested this task sequence on successfully completed the task.
    This morning we have tried some more testing and now the task doesn't work.  The job fails at the point where it is requesting user store space.  The log files shows that it knows about the SMP and that it request access but it fails and continues
    on trying to find another available SMP.
    The first few attempts the errors are based on "Failed to connect to
    \\SERVER.DOMAIN\SMPSTORED_241ADE445 (53)
    "Cannot connect to http://SERVER.DOMAIN SMP root share"
    "Request to SMP 'http://SERVER.DOMAIN' failed with error (Code 0x80004005)  Trying next SMP.
    "SMP request to 'http://server.domain" failed with error:  E_SMPERROR_ENCRYPTKEY_EMPTY (103)
    "ClientKeyRequestToSMP failed (0x80004005)
    We have removed the SMP and have re-added it. 
    Kristopher Turner | Not the brightest bulb but by far not the dimmest bulb.

    Hi,
    See if this thread helps solve the problem
    http://social.technet.microsoft.com/Forums/en-US/c3883768-5a49-45bc-b173-5f7eff8eca53/usmt-capture-task-sequence-failing?forum=configmanagerosd
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • Large XML Publisher reports fail with client-error-request-value-too-long

    We are running BI Publisher 5.6.3 with Oracle Applications 11.5.10.2 (ATG.H RUP 5), and are having frequent failures with client-error-request-value-too-long messages on large PDF reports that cause the entire report to not print.
    The exact error message is as follows:
    lp: unable to print file: client-error-request-value-too-long
    Pasta: Error: Print failed. Command=lp -c -dPDX_B6_1LJ5200NEAST /logs/temp/pasta3262_0.tmp
    Pasta: Error: Check printCommand/ntPrintCommand in pasta.cfg
    Pasta: Error: Preprocess or Print command failed!!!
    APP-FND-00500: AFPPRN received a return code of failure from routine FDUPRN. Program exited with status 1
    Cause: AFPPRN received a return code of failure from the OSD routine FDUPRN. Program exited with status 1.
    Action: Review your concurrent request log file for more detailed information.
    I have Google'd client-error-request-value-too-long, and found it is a common CUPS issue on Linux. The popular solutions (having /var/spool/cups and /var/spool/cups/tmp) are already in place. Also, the temp files are nowhere near 2 GB (44MB).
    Has anyone had this issue with BI Publisher on Linux?

    Thanks for the link. It looks like the sysadmins have throttled cups to low to allow large bitmapped print jobs:
    grep MaxRequestSize cupsd.conf
    # MaxRequestSize: controls the maximum size of HTTP requests and print files.
    MaxRequestSize 10M
    I am trying to get a more reasonable size limit.

  • Large BI Publisher reports fail with client-error-request-value-too-long

    We are running BI Publisher 5.6.3 with Oracle Applications 11.5.10.2, and are having frequent failures with client-error-request-value-too-long messages on large PDF reports that cause the entire report to not print.
    The exact error message is as follows:
    lp: unable to print file: client-error-request-value-too-long
    Pasta: Error: Print failed. Command=lp -c -dPDX_B6_1LJ5200NEAST /logs/temp/pasta3262_0.tmp
    Pasta: Error: Check printCommand/ntPrintCommand in pasta.cfg
    Pasta: Error: Preprocess or Print command failed!!!
    APP-FND-00500: AFPPRN received a return code of failure from routine FDUPRN. Program exited with status 1
    Cause: AFPPRN received a return code of failure from the OSD routine FDUPRN. Program exited with status 1.
    Action: Review your concurrent request log file for more detailed information.
    I have Google'd client-error-request-value-too-long, and found it is a common CUPS issue on Linux. The popular solutions (having /var/spool/cups and /var/spool/cups/tmp) are already in place. Also, the temp files are nowhere near 2 GB (44MB).
    Has anyone had this issue with BI Publisher on Linux?

    The linux sysadmins set the cups max_request_size at 10 MB, which was causing this error. Once the restriction was lifted, the reports ran without error.

  • Received return code 500 ( Error during conversion of XI message )

    Hello Experts,
    I am configuring the WSRM for SD in SAP. I have only configured services CreditWorthinessQuery_Out and CreditWorthinessQuery_In on soamanager to carry out credit checks.
    while i am creating sales order i am getting below error.
    Received return code 500 ( Error during conversion of XI message )
    In debug i checked the string of error it showed me below string :
    <SOAP:Envelope xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/">#<SOAP:Hea
    der>#</SOAP:Header>#<SOAP:Body>#<SOAP:Fault xmlns:SOAP="http://schemas.xmlsoap.o
    rg/soap/envelope/"><faultcode>SOAP:Client</faultcode><faultstring>Error during c
    onversion of XI message</faultstring><faultactor>http://sap.com/xi/XI/Message/30
    </faultactor><detail><SAP:Error SOAP:mustUnderstand="1" xmlns:SAP="http://sap.co
    m/xi/XI/Message/30"><SAP:Category>XIProtocol</SAP:Category><SAP:Code area="PARSE
    R">UNEXPECTED_VALUE</SAP:Code><SAP:P1>Main/@versionMajor</SAP:P1><SAP:P2>000</SA
    P:P2><SAP:P3>003</SAP:P3><SAP:P4/><SAP:AdditionalText/><SAP:ApplicationFaultMess
    age namespace=""/><SAP:Stack>XML tag Main/@versionMajor has incorrect value 000;
    expected value is 003##</SAP:Stack></SAP:Error></detail></SOAP:Fault>#</SOAP:Bo
    dy>#</SOAP:Envelope>#
    Does anyone have any idea about this? I am not integrating with PI/XI system.

    Hi
    Can you check this out?
    Transaction SXMB_ADM  Integration Engine Configuration
    For an application system you have to maintain the role of the business system as an application system. Set the corresponding Integration Server as an HTTP destination (for example, dest://INTEGRATION_SERVER). Create the destination in transaction SM59 and set the type to HTTP Connections to R/3 System. Test the connection by using the Connection Test button; you should get HTTP 500 u2013 Empty HTTP Request received, because no u201Ereal‟ XML document is sent during this test.
    A HTTP return code 500 (Internal Server Error) is OK.
    Regards
    Pothana

  • Error while posting material  in MB1c

    Hi
    how to open finace period in OB52 for period for 002/2009 as am getting error while posting in MB1c the error which am getting are period 002/2009 is not open for account type s and G/L 799999.
    Kindly help.
    Thanx.

    Hi Mukesh
    In OB52, you dont specify the GL account, you just open periods for the sub modules within FI.
    However, If you are getting an error while posting MB1c it must definitely be due to the MM periods not being opened
    Please go to MMRV - input your co code, and execute, it will tell you the current period which is open
    If your current period is not open, go to MMPV, input ur co code or codes, enter the new period and execute.
    This should solve your problem
    Rukshana

  • Getting an error prompt "the facebook server has returned an unknown error and is not able to fulfill your request. (2001)"

    Hi. I need help regarding facebook for blackberry. I cannot post any status update, i keep on receiving an error prompt "the facebook server has returned an unknown error and is not able to fulfill your request. (2001)".  it has been like this for the past 3 days. I already did the hard reboot many times, re-send service book though i do'nt think it's needed, and tried uninstalling and reinstalling the facebook application too but still getting the same error everytime i try to post a status update. I can comment to messages on my wall and other profiles, the news feed is updating in time too, i can also log-in and out to facebook with no problem, as well as other applications on my phone like foursquare, BBm, ubersocial, BB protect, BB app world, etc, are all working perfectly fine. And now I don't know what seems to be the problem.
    I've already contacted my network provider and told me that the error i'm getting is beyond their scope.
    Is anybody having the same problem as mine? 
    Can someone in BB support team help me regarding this issue and tell me what should I do?
    Thank you in advance. 

    I got the same issue !! Since I've updated my Facebook app 2 or 3 week ago !
    I can not  update my status and check-in ! It gives me "the facebook server has returned an unknown error and is not able to fulfill your request. (2001) "
    I can upload photo, put comment on people, like people status/picture. The news feed update perfectly !
    I also  tryied to uninstall reinstall the app, reboot etc etc ! I still can't update my status !!!! I've installed 3.0.0.17 this morning and the issue is still there...
    I've remarked one thing... On my facebook under "privacy setting/the Apps, Games and Websites" I used to have a "blackberry app" installed. It's not there anymore and I didn't remove it.
    I don't know how to reinstall it...

  • HTTP POST 411 Error

    I am sending data from a MIDlet to a PHP script. The MIDlet code is:
    private static HttpConnection connection;
    private static OutputStream outS = null;
    String theUrl = "http://www. ..... abc.php";
    String dataMsg = "data=" + ... etc. ;
    int rc;
    byte[] dataBytes = dataMsg.getBytes();
    connection = (HttpConnection)Connector.open(theUrl);
    connection.setRequestMethod(HttpConnection.POST);
    connection.setRequestProperty("User-Agent","Profile/MIDP-1.0 Configuration/CLDC-1.0");
    connection.setRequestProperty("Content-Type", "application/x-www-form-urlencoded");
    connection.setRequestProperty("Content-Length", Integer.toString( dataBytes.length ) );
    outS = connection.openOutputStream();
    outS.write(dataBytes);
    outS.flush();
    rc = connection.getResponseCode();
    I have MIDlet-Permissions: javax.microedition.io.Connector.http set up, and configuration is set to MIDP-1.0 and CLDC-1.0 in WTK 2.0. I'd like people to be able to download this onto any Java phone, hence the lowest common demoninator approach.
    The PHP code is pretty basic:
    <html>
    <head>
    <title>PHP Test</title>
    </head>
    <body>
    <?php
    $putname = "superglobals";
    $data = $_POST['data'];
    echo "$putname,$data";
    $fp = fopen('abc/data.txt', 'a');
    fwrite($fp, "$data\n");
    fclose($fp);
    ?>
    </body>
    </html>
    This works fine on Nokia 6310i, 3510i and LG B2100. But on SonyEricsson k750 and 800 and Motorola L6 I get a 411 error code "Length Required" returned in rc.
    Any ideas what's going wrong here?
    Thanks

    before you send data, the server must know how many bytes you are about to send! -> Length required
    Try:
    c.setRequestProperty ( "Content-Length" ,
    Integer.toString (postmsg.length));
    please give feedback!

  • [SOLVED]"The requested URL returned error: 407" while using pacman

    pacman worked fine until now. When I try to upgrade with
    pacman -Syu
    it returns what is written below even though internet works fine without problems(I'm posting from the same system using firefox)
    How can I get pacman working again?
    :: Synchronizing package databases...
    error: failed retrieving file 'core.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    error: failed retrieving file 'core.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    error: failed retrieving file 'core.db' from [url=ftp://ftp.jaist.ac.jp]ftp.jaist.ac.jp[/url] : The requested URL returned error: 407
    error: failed retrieving file 'core.db' from [url=ftp://ftp.jaist.ac.jp]ftp.jaist.ac.jp[/url] : The requested URL returned error: 407
    error: failed retrieving file 'core.db' from mirror.yongbok.net : The requested URL returned error: 407
    error: failed retrieving file 'core.db' from mirror.yongbok.net : The requested URL returned error: 407
    error: failed to update core (download library error)
    error: failed retrieving file 'extra.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    error: failed retrieving file 'extra.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    error: failed retrieving file 'extra.db' from [url=ftp://ftp.jaist.ac.jp]ftp.jaist.ac.jp[/url] : The requested URL returned error: 407
    error: failed retrieving file 'extra.db' from [url=ftp://ftp.jaist.ac.jp]ftp.jaist.ac.jp[/url] : The requested URL returned error: 407
    error: failed retrieving file 'extra.db' from mirror.yongbok.net : The requested URL returned error: 407
    error: failed retrieving file 'extra.db' from mirror.yongbok.net : The requested URL returned error: 407
    error: failed to update extra (download library error)
    error: failed retrieving file 'community.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    error: failed retrieving file 'community.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    error: failed retrieving file 'community.db' from [url=ftp://ftp.jaist.ac.jp]ftp.jaist.ac.jp[/url] : The requested URL returned error: 407
    error: failed retrieving file 'community.db' from [url=ftp://ftp.jaist.ac.jp]ftp.jaist.ac.jp[/url] : The requested URL returned error: 407
    error: failed retrieving file 'community.db' from mirror.yongbok.net : The requested URL returned error: 407
    error: failed retrieving file 'community.db' from mirror.yongbok.net : The requested URL returned error: 407
    error: failed to update community (download library error)
    error: failed retrieving file 'archlinuxfr.db' from repo.archlinux.fr : The requested URL returned error: 407
    error: failed to update archlinuxfr (download library error)
    error: failed to synchronize any databases
    error: failed to init transaction (download library error)
    Last edited by ebshankar (2012-02-19 08:08:59)

    hokasch wrote:
    What did you update? Are you using a proxy?
    You can try pacman -Syy --debug which will show the actual url it tries to access. When posting console output, please use the code tags.
    I tried to upgrade the system.
    I don't use a proxy. My isp uses authentication from the browser, when the browser is authenticated with the username and password, the whole system will be connected to the internet as long as the authentication page is open.
    Here is the output of "pacman -Syy --debug":
    debug: parseconfig: options pass
    debug: config: attempting to read file /etc/pacman.conf
    debug: config: finish section '(null)'
    debug: config: new section 'options'
    debug: config: HoldPkg: pacman
    debug: config: HoldPkg: glibc
    debug: config: SyncFirst: pacman
    debug: config: arch: x86_64
    debug: config: SigLevel: Never
    debug: config: finish section 'options'
    debug: config: new section 'core'
    debug: config file /etc/pacman.conf, line 81: including /etc/pacman.d/mirrorlist
    debug: config: attempting to read file /etc/pacman.d/mirrorlist
    debug: config: finished parsing /etc/pacman.d/mirrorlist
    debug: config: finish section 'core'
    debug: config: new section 'extra'
    debug: config file /etc/pacman.conf, line 85: including /etc/pacman.d/mirrorlist
    debug: config: attempting to read file /etc/pacman.d/mirrorlist
    debug: config: finished parsing /etc/pacman.d/mirrorlist
    debug: config: finish section 'extra'
    debug: config: new section 'community'
    debug: config file /etc/pacman.conf, line 93: including /etc/pacman.d/mirrorlist
    debug: config: attempting to read file /etc/pacman.d/mirrorlist
    debug: config: finished parsing /etc/pacman.d/mirrorlist
    debug: config: finish section 'community'
    debug: config: new section 'archlinuxfr'
    debug: config: finish section 'archlinuxfr'
    debug: config: finished parsing /etc/pacman.conf
    debug: setup_libalpm called
    debug: option 'logfile' = /var/log/pacman.log
    debug: option 'gpgdir' = /etc/pacman.d/gnupg/
    debug: option 'cachedir' = /var/cache/pacman/pkg/
    debug: parseconfig: repo pass
    debug: config: attempting to read file /etc/pacman.conf
    debug: config: finish section '(null)'
    debug: config: new section 'options'
    debug: config: finish section 'options'
    debug: config: new section 'core'
    debug: config file /etc/pacman.conf, line 81: including /etc/pacman.d/mirrorlist
    debug: config: attempting to read file /etc/pacman.d/mirrorlist
    debug: config: finished parsing /etc/pacman.d/mirrorlist
    debug: config: finish section 'core'
    debug: registering sync database 'core'
    debug: database path for tree core set to /var/lib/pacman/sync/core.db
    debug: adding new server URL to database 'core': ftp://mirror.cse.iitk.ac.in/archlinux/core/os/x86_64
    debug: adding new server URL to database 'core': http://mirror.cse.iitk.ac.in/archlinux/core/os/x86_64
    debug: adding new server URL to database 'core': ftp://ftp.jaist.ac.jp/pub/Linux/ArchLinux/core/os/x86_64
    debug: adding new server URL to database 'core': http://ftp.jaist.ac.jp/pub/Linux/ArchLinux/core/os/x86_64
    debug: adding new server URL to database 'core': ftp://mirror.yongbok.net/archlinux/core/os/x86_64
    debug: adding new server URL to database 'core': http://mirror.yongbok.net/archlinux/core/os/x86_64
    debug: config: new section 'extra'
    debug: config file /etc/pacman.conf, line 85: including /etc/pacman.d/mirrorlist
    debug: config: attempting to read file /etc/pacman.d/mirrorlist
    debug: config: finished parsing /etc/pacman.d/mirrorlist
    debug: config: finish section 'extra'
    debug: registering sync database 'extra'
    debug: database path for tree extra set to /var/lib/pacman/sync/extra.db
    debug: adding new server URL to database 'extra': ftp://mirror.cse.iitk.ac.in/archlinux/extra/os/x86_64
    debug: adding new server URL to database 'extra': http://mirror.cse.iitk.ac.in/archlinux/extra/os/x86_64
    debug: adding new server URL to database 'extra': ftp://ftp.jaist.ac.jp/pub/Linux/ArchLinux/extra/os/x86_64
    debug: adding new server URL to database 'extra': http://ftp.jaist.ac.jp/pub/Linux/ArchLinux/extra/os/x86_64
    debug: adding new server URL to database 'extra': ftp://mirror.yongbok.net/archlinux/extra/os/x86_64
    debug: adding new server URL to database 'extra': http://mirror.yongbok.net/archlinux/extra/os/x86_64
    debug: config: new section 'community'
    debug: config file /etc/pacman.conf, line 93: including /etc/pacman.d/mirrorlist
    debug: config: attempting to read file /etc/pacman.d/mirrorlist
    debug: config: finished parsing /etc/pacman.d/mirrorlist
    debug: config: finish section 'community'
    debug: registering sync database 'community'
    debug: database path for tree community set to /var/lib/pacman/sync/community.db
    debug: adding new server URL to database 'community': ftp://mirror.cse.iitk.ac.in/archlinux/community/os/x86_64
    debug: adding new server URL to database 'community': http://mirror.cse.iitk.ac.in/archlinux/community/os/x86_64
    debug: adding new server URL to database 'community': ftp://ftp.jaist.ac.jp/pub/Linux/ArchLinux/community/os/x86_64
    debug: adding new server URL to database 'community': http://ftp.jaist.ac.jp/pub/Linux/ArchLinux/community/os/x86_64
    debug: adding new server URL to database 'community': ftp://mirror.yongbok.net/archlinux/community/os/x86_64
    debug: adding new server URL to database 'community': http://mirror.yongbok.net/archlinux/community/os/x86_64
    debug: config: new section 'archlinuxfr'
    debug: config: finish section 'archlinuxfr'
    debug: registering sync database 'archlinuxfr'
    debug: database path for tree archlinuxfr set to /var/lib/pacman/sync/archlinuxfr.db
    debug: adding new server URL to database 'archlinuxfr': http://repo.archlinux.fr/x86_64
    debug: config: finished parsing /etc/pacman.conf
    :: Synchronizing package databases...
    debug: url: ftp://mirror.cse.iitk.ac.in/archlinux/core/os/x86_64/core.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/core.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'core.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    debug: url: http://mirror.cse.iitk.ac.in/archlinux/core/os/x86_64/core.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/core.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'core.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    debug: url: ftp://ftp.jaist.ac.jp/pub/Linux/ArchLinux/core/os/x86_64/core.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/core.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'core.db' from ftp.jaist.ac.jp : The requested URL returned error: 407
    debug: url: http://ftp.jaist.ac.jp/pub/Linux/ArchLinux/core/os/x86_64/core.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/core.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'core.db' from ftp.jaist.ac.jp : The requested URL returned error: 407
    debug: url: ftp://mirror.yongbok.net/archlinux/core/os/x86_64/core.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/core.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'core.db' from mirror.yongbok.net : The requested URL returned error: 407
    debug: url: http://mirror.yongbok.net/archlinux/core/os/x86_64/core.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/core.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'core.db' from mirror.yongbok.net : The requested URL returned error: 407
    debug: failed to sync db: download library error
    error: failed to update core (download library error)
    debug: url: ftp://mirror.cse.iitk.ac.in/archlinux/extra/os/x86_64/extra.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/extra.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'extra.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    debug: url: http://mirror.cse.iitk.ac.in/archlinux/extra/os/x86_64/extra.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/extra.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'extra.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    debug: url: ftp://ftp.jaist.ac.jp/pub/Linux/ArchLinux/extra/os/x86_64/extra.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/extra.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'extra.db' from ftp.jaist.ac.jp : The requested URL returned error: 407
    debug: url: http://ftp.jaist.ac.jp/pub/Linux/ArchLinux/extra/os/x86_64/extra.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/extra.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'extra.db' from ftp.jaist.ac.jp : The requested URL returned error: 407
    debug: url: ftp://mirror.yongbok.net/archlinux/extra/os/x86_64/extra.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/extra.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'extra.db' from mirror.yongbok.net : The requested URL returned error: 407
    debug: url: http://mirror.yongbok.net/archlinux/extra/os/x86_64/extra.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/extra.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'extra.db' from mirror.yongbok.net : The requested URL returned error: 407
    debug: failed to sync db: download library error
    error: failed to update extra (download library error)
    debug: url: ftp://mirror.cse.iitk.ac.in/archlinux/community/os/x86_64/community.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/community.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'community.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    debug: url: http://mirror.cse.iitk.ac.in/archlinux/community/os/x86_64/community.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/community.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'community.db' from mirror.cse.iitk.ac.in : The requested URL returned error: 403
    debug: url: ftp://ftp.jaist.ac.jp/pub/Linux/ArchLinux/community/os/x86_64/community.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/community.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'community.db' from ftp.jaist.ac.jp : The requested URL returned error: 407
    debug: url: http://ftp.jaist.ac.jp/pub/Linux/ArchLinux/community/os/x86_64/community.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/community.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'community.db' from ftp.jaist.ac.jp : The requested URL returned error: 407
    debug: url: ftp://mirror.yongbok.net/archlinux/community/os/x86_64/community.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/community.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'community.db' from mirror.yongbok.net : The requested URL returned error: 407
    debug: url: http://mirror.yongbok.net/archlinux/community/os/x86_64/community.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/community.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'community.db' from mirror.yongbok.net : The requested URL returned error: 407
    debug: failed to sync db: download library error
    error: failed to update community (download library error)
    debug: url: http://repo.archlinux.fr/x86_64/archlinuxfr.db
    debug: maxsize: 26214400
    debug: opened tempfile for download: /var/lib/pacman/sync/archlinuxfr.db.part (wb)
    debug: curl returned error 22 from transfer
    error: failed retrieving file 'archlinuxfr.db' from repo.archlinux.fr : The requested URL returned error: 407
    debug: failed to sync db: download library error
    error: failed to update archlinuxfr (download library error)
    error: failed to synchronize any databases
    error: failed to init transaction (download library error)
    debug: unregistering database 'local'
    debug: unregistering database 'core'
    debug: unregistering database 'extra'
    debug: unregistering database 'community'
    debug: unregistering database 'archlinuxfr'
    Last edited by ebshankar (2012-02-18 14:18:30)

  • SSRS Report Manager error "Sys.WebForms.PageRequestManagerServerErrorException: An unknown error occurred while processing the request on the server. The status code returned from the server was: 500"

    Hi All,
    I am getting error "Sys.WebForms.PageRequestManagerServerErrorException: An unknown error occurred while processing the request on the server. The status code returned from the server was: 500"
    in one of my Test Environment when trying to run the SSRS 2012 report from report manager.
    Any clue why it is happening.
    Thanks Shiven:) If Answer is Helpful, Please Vote

    Hi All,
    Upon investigation found that there was no space (0 Byte is available) in E drive where underlying SQL DB is residing. 
    Once I cleared the space, report started working and above error was not displaying. 
    Thanks Shiven:) If Answer is Helpful, Please Vote

  • Error Message during posting return delivery against materil document

    Dear experts
    I have created a purchase order with batch specific unit of measure KAI.
    I created the inbound  delivery document (say for eg: 30,000 KG)
    I have taken GRN for the above IBD through MIGO transaction with 101 movement for all 30,000 KG.
    Later i have posted the return delivery 122 movement with reference to above 101 material document. 30,000 KG
    After this i realized that i need cancel the 101 movement document.
    So cancelled the 122 movement document, and try to cancell the 101 material document.
    Then system is issuing error message VLA 321 "Movement type 102 cannot be used here".
    Also if i again want to post return delivery to send the stock back, then also i have error message. but this time it is VLA 319
    "Return delivery qty greater than previously GR-posted qty:"
    My Support package for SAP_APPL, relese 600 is SAPKH60019.
    Please suggest me solution to fix these errors as these are not relavant for the situation.
    Regards/Murali

    Hi,
    Can you please check this note...
    Note 1050944 - GR for inbound delivery using inventory mgmt as of ECC 6.00
    Note 1342935 - Error message BORGR 623 during GR reversal in MIGO
    Regards
    Bhuban

  • Error in Posting Vendor down Payment request

    Hi
    I am getting an error in posting vendor downpayment request. I am using the T Code F-47 and special GL indicator F.
    Error: Special GL Indicator F is not defined for down payments
    Message No F5053
    Diagnosis: The specified GL Indicator is not classified as "Down payment" or not listed in the list of the target special GL indicators "F"
    System Response: The entry is not accepted
    Procedure: Enter an allowed special GL indicator or indicate a change of the default settings
    I have checked the settings in FBKP. The GL Accounts and properties have been maintained there. The target GL Indicator A is also maintained in the properties. In OBXT also the GL Indicator has been defined. What could be the error?
    Regards
    Rahul Sharma

    Hi,
    What ever the special gl you are created or assigned to K in OBXT are will not allow to post down payment. in FB60 by using these special gl indicators we can post invoice.
    Go to OBXR and assign F is for down payment request if it is not there. before assign in OBYR delete the assignment in OBXT. Defaulty the F is used for down payment requests only.
    Hope this is clear, if yes assign points, any problem revert me
    Regards,
    Sankar

Maybe you are looking for

  • Problem with http, can you help me about this exception(JSPX)?

    Somwone could tell me what's this http error when i try to get data from jspx aplication? HTTP Status 500 - exception javax.servlet.ServletException: Problem accessing the absolute URL "http://localhost:8080/livros/people.jspx". java.io.IOException:

  • Can only open some JPEG files in Camera Raw through Bridge CS3

    I'm running Bridge CS3 version 2.0.0.975. I always edit my JPEG files through Camera Raw in Bridge CS3. I only have to Right-Click on the file and select "Open in Camera Raw...". However, I've come into a situation where some jpg files will not open

  • A3 Keyword missing feature from A2

    Can someone help me please. One of the features I used extensively in A2 was the Keyword lookup feature which gave you a list of words that were in your master keyword list and auto completed when you started typing the word. You got this by selectin

  • Write DVD/CD unit to a G4

    Have a Mac G4 running OS 10.4.11 with the play only DVD/CD unit installed still. Can a write DVD/CD or a unit similar to a super drive be installed? Easily that is.

  • Problema:Adobe Photoshop CC 2014 dejo de funcionar?

    @Hola, tengo una laptop con windows 7, ase días subí a windows 8.1 Pro, cuando intente instalar photoshop cc 2014, al abrirlo, me parecía un mensaje que decía, que Photosho ha encontrado un problema con el controlador, le daba en OK y me salia el una