HttpRequest and POST

前端 未结 2 902
星月不相逢
星月不相逢 2021-01-14 17:34

I keep getting one of the following error messages :

\"The remote server returned an error: (400) Bad Request.\"  
               OR
\"System.Net.ProtocolVio         


        
相关标签:
2条回答
  • 2021-01-14 17:43
        req.ContentLength = bld.Length;
        StreamWriter writer = new StreamWriter(req.GetRequestStream());
        var encodedData = Encoding.ASCII.GetBytes(bld.ToString());
        writer.Write(encodedData);
    

    You are not writing what you say you are going to be writing- you write the ASCII encoded bytes not your original byte array - the ContentLength has to match the number of bytes you write. Instead do:

        var encodedData = Encoding.ASCII.GetBytes(bld.ToString());
        req.ContentLength = encodedData.Length;
    
    0 讨论(0)
  • 2021-01-14 17:58

    A couple things that are "off":

    Write directly to your writer There shouldn't be a reason to call GetBytes(). The StreamWriter is perfectly capable of writing a string to the stream:

    writer.Write(bld.ToString());
    

    Use the using() {} pattern around your StreamWriter

    This will ensure proper disposal of the writer object.

    using(var writer = new StreamWriter(req.GetRequestStream()))
    {
       writer.Write(bld.ToString());
    }
    

    You don't need to explicitly set the content length Leave it alone, the framework will set it for you based on what you write to the request stream.

    If you need to be explicit about using ASCII, set the charset in the Content-Type header

    req.ContentType = "application/x-www-form-urlencoded; charset=ASCII";
    

    You should also specify the encoding when instantiating your StreamWriter:

    new StreamWriter(req.GetRequestStream(), Encoding.ASCII)
    
    0 讨论(0)
提交回复
热议问题