Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

HttpRequest and POST

Tags:

c#

.net

wcf

I keep getting one of the following error messages :

"The remote server returned an error: (400) Bad Request."  
               OR
"System.Net.ProtocolViolationException: You must write ContentLength bytes to the request stream before calling [Begin]GetResponse."

Here is the code I'm running :

        StringBuilder bld = new StringBuilder();
        bld.Append("contractId=");
        bld.Append(ctrId);
        bld.Append("&companyIds=");
        bld.Append("'" + company1+ ", " + company2+ "'");

        HttpWebRequest req = (HttpWebRequest)WebRequest
            .Create(secureServiceUrl + "SetContractCompanyLinks");
        req.Credentials = service.Credentials;
        //req.AllowWriteStreamBuffering = true;
        req.Method = "POST";
        req.ContentType = "application/x-www-form-urlencoded";
        req.ContentLength = bld.Length;
        StreamWriter writer = new StreamWriter(req.GetRequestStream());
        var encodedData = Encoding.ASCII.GetBytes(bld.ToString());
        writer.Write(encodedData);
        writer.Flush();
        writer.Close();
        var resp = req.GetResponse();
like image 662
Attilah Avatar asked Dec 05 '22 20:12

Attilah


1 Answers

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)
like image 61
Daniel Schaffer Avatar answered Dec 26 '22 12:12

Daniel Schaffer