我有2个项目-1个纯粹是.ashx通用处理程序,另一个是将XML文档发布到其中的测试项目。如何获取已发布的XML文档?

客户端代码(为简洁起见,简称)

    string xmlToSend = "<?xml version=\"1.0\" encoding=\"utf-8\" ?><APPLICATION>  <TRANSACTIONTYPE>12</TRANSACTIONTYPE></APPLICATION>";
    WebRequest webRequest = WebRequest.Create(new Uri("http://localhost:8022/handle.ashx"));
    webRequest.ContentType = "text/xml";
    webRequest.Method = "POST";
    byte[] bytes = Encoding.ASCII.GetBytes(xmlToSend);
    Stream os = null;
    webRequest.ContentLength = bytes.Length;
    os = webRequest.GetRequestStream();
    os.Write(bytes, 0, bytes.Length);
    os.Close();
    WebResponse webResponse = webRequest.GetResponse();
    //if (webResponse == null)
    //{ return null; }
    StreamReader sr = new StreamReader(webResponse.GetResponseStream());
    string sRet = "";
    sRet = sr.ReadToEnd().Trim();


接收代码是

public void ProcessRequest(HttpContext context)
{
    // Well, not sure what to do here.
    // context.Request.Params has a count of 48, but doesn't have the XML.
    // context.Request.Form has a count of 0

}


我知道我在这里缺少基本的东西。但是我无法终生解决。

请不要建议使用WCF,除非这是我要使其正常工作的唯一方法。我发现WCF很难起身,而且挑剔。

我什至无法让我的处理程序在我的断点处中断,但是我知道它被调用了(我已经多次更改它以返回日期,日期和时间,以及我输入的一些乱码,所以我知道正在被调用并可以回复。)

最佳答案

context.Request.InputStream包含您要查找的数据。

微软的例子:

System.IO.Stream str; String strmContents;
Int32 counter, strLen, strRead;
// Create a Stream object.
str = Request.InputStream;
// Find number of bytes in stream.
strLen = Convert.ToInt32(str.Length);
// Create a byte array.
byte[] strArr = new byte[strLen];
// Read stream into byte array.
strRead = str.Read(strArr, 0, strLen);

// Convert byte array to a text string.
strmContents = "";
for (counter = 0; counter < strLen; counter++)
{
    strmContents = strmContents + strArr[counter].ToString();
}


使用诸如StreamReader之类的文本或使用StringBuilder进行串联时,还有其他更好的方法。

10-04 16:17