1

所以我想完全从代码发布到同一域内的表单。我想我拥有我需要的一切,除了如何包含表单数据。我需要包含的值来自隐藏字段和输入字段,我们称之为:

<input type="text" name="login" id="login"/>
<input type="password" name="p" id="p"/>
<input type = hidden name="a" id="a"/>

到目前为止我所拥有的是

WebRequest req = WebRequest.Create("http://www.blah.com/form.aspx")
req.ContentType = "application/x-www-form-urlencoded"
req.Method = "POST"

如何在请求中包含这三个输入字段的值?

4

2 回答 2

3
NameValueCollection nv = new NameValueCollection();
nv.Add("login", "xxx");
nv.Add("p", "yyy");
nv.Add("a", "zzz");

WebClient wc = new WebClient();
byte[] ret = wc.UploadValues(""http://www.blah.com/form.aspx", nv);
于 2013-01-12T19:21:29.180 回答
0

如上面我的评论中提供的链接所示,如果您使用的是 WebRequest 而不是 WebClient,则可能要做的事情是建立一个由 & 分隔的键值对字符串,并将值 url 编码:

  foreach(KeyValuePair<string, string> pair in items)
  {      
    StringBuilder postData = new StringBuilder();
    if (postData .Length!=0)
    {
       postData .Append("&");
    }
    postData .Append(pair.Key);
    postData .Append("=");
    postData .Append(System.Web.HttpUtility.UrlEncode(pair.Value));
  }

当您发送请求时,使用此字符串设置 ContentLength 并将其发送到 RequestStream:

request.ContentLength = postData.Length;
using(Stream writeStream = request.GetRequestStream())
{
    UTF8Encoding encoding = new UTF8Encoding();
    byte[] bytes = encoding.GetBytes(postData);
    writeStream.Write(bytes, 0, bytes.Length);
}

您可能能够根据您的需要提取功能,因此不需要将其拆分为这么多方法。

于 2013-01-15T02:10:14.200 回答