public class MyWebRequest
{
private WebRequest request;
private Stream dataStream;
private string status;
public String Status
{
get
{
return status;
}
set
{
status = value;
}
}
public MyWebRequest(string url)
{
// Create a request using a URL that can receive a post.
request = WebRequest.Create(url);
}
public MyWebRequest(string url, string method)
: this(url)
{
if (method.Equals("GET") || method.Equals("POST"))
{
// Set the Method property of the request to POST.
request.Method = method;
}
else
{
throw new Exception("Invalid Method Type");
}
}
public MyWebRequest(string url, string method, string data)
: this(url, method)
{
// Create POST data and convert it to a byte array.
string postData = data;
byte[] byteArray = Encoding.UTF8.GetBytes(postData);
// Set the ContentType property of the WebRequest.
request.ContentType = "application/x-www-form-urlencoded";
// Set the ContentLength property of the WebRequest.
request.ContentLength = byteArray.Length;
// Get the request stream.
dataStream = request.GetRequestStream();
// Write the data to the request stream.
dataStream.Write(byteArray, 0, byteArray.Length);
// Close the Stream object.
dataStream.Close();
}
public string GetResponse()
{
// Get the original response.
WebResponse response = request.GetResponse();
this.Status = ((HttpWebResponse)response).StatusDescription;
// Get the stream containing all content returned by the requested server.
dataStream = response.GetResponseStream();
// Open the stream using a StreamReader for easy access.
StreamReader reader = new StreamReader(dataStream);
// Read the content fully up to the end.
string responseFromServer = reader.ReadToEnd();
// Clean up the streams.
reader.Close();
dataStream.Close();
response.Close();
return responseFromServer;
}
}
我看到了这段代码,正在分析它。我在msdn
搜索WebRequest
类并理解它,但我不明白为什么我必须使用Stream
来执行请求。我不知道流是什么,也不知道为什么需要它。有人能帮帮我吗?还有,谁能给我解释一下下面这两句话?
// Get the request stream.
dataStream = request.GetRequestStream();
// Write the data to the request stream.
dataStream.Write(byteArray, 0, byteArray.Length);
流获得数据,然后我将数据写入流,而不是WebRequest
对象?
谢谢。
GetRequestStream用于初始化向互联网资源发送数据。
要与HTTP服务器通信,需要发出HTTP请求(示例)。现在,您实际上通过流将该请求作为一系列字节发送。流实际上只是一系列字节。
大多数I/O操作(包括文件或网络套接字)都是缓冲的。这意味着你重复地将字节放入缓冲区,当缓冲区足够满时,它就会被发送出去。流实际上只是它的一个抽象。所以你实际上只在这两行中通过网络发送字节
From MSDN "提供字节序列的通用视图"。流是一个抽象的各种对象,您可能希望读取或写入数据。具体的例子是用于磁盘读写的FileStream
和MemoryStream
。看看从Stream继承的其他类型。
您突出显示的两行是如何在WebRequest
中发送数据的。想象一个HTTP请求,当您发出请求时,一些数据被发送到服务器。当您使用WebRequest
时,您通过获取请求流并向其写入字节来写入此数据。