我正在尝试使用WebClient
/访问网站上的受限数据WebRequest
。该网站没有官方 API,所以我要做的只是填写 HTML 表单并将值发布到服务器,所以我已经登录了。
后一个例子更有吸引力,因为我显然更喜欢WebClient
,但 legacyWebRequest
会做。
无论如何,在第一个示例中,我认为它确实登录了,但即将到来的访问私有数据的请求会返回一个页面,其中包含一条消息“这是仅限会员的内容”。
如何进行WebClient
永久登录?
请参阅下面的评论。
这就是我所做的并且它有效(信用)。
首先添加这个类:
namespace System.Net
{
using System.Collections.Specialized;
using System.Linq;
using System.Text;
public class CookieAwareWebClient : WebClient
{
public void Login(string loginPageAddress, NameValueCollection loginData)
{
CookieContainer container;
var request = (HttpWebRequest)WebRequest.Create(loginPageAddress);
request.Method = "POST";
request.ContentType = "application/x-www-form-urlencoded";
var query = string.Join("&",
loginData.Cast<string>().Select(key => $"{key}={loginData[key]}"));
var buffer = Encoding.ASCII.GetBytes(query);
request.ContentLength = buffer.Length;
var requestStream = request.GetRequestStream();
requestStream.Write(buffer, 0, buffer.Length);
requestStream.Close();
container = request.CookieContainer = new CookieContainer();
var response = request.GetResponse();
response.Close();
CookieContainer = container;
}
public CookieAwareWebClient(CookieContainer container)
{
CookieContainer = container;
}
public CookieAwareWebClient()
: this(new CookieContainer())
{ }
public CookieContainer CookieContainer { get; private set; }
protected override WebRequest GetWebRequest(Uri address)
{
var request = (HttpWebRequest)base.GetWebRequest(address);
request.CookieContainer = CookieContainer;
return request;
}
}
}
用法:
public static void Main()
{
var loginAddress = "www.mywebsite.com/login";
var loginData = new NameValueCollection
{
{ "username", "shimmy" },
{ "password", "mypassword" }
};
var client = new CookieAwareWebClient();
client.Login(loginAddress, loginData);
}
HTTP 是无状态的。所以,WebClient 不能永久登录。HTTP 中不存在会话的概念。ASP.NET 等服务器端技术通过会话概念模拟有状态行为,该概念使用 cookie 或在每个请求中来回发送的查询字符串参数。话虽如此,可以从 WebClient 模拟浏览器所做的事情。如果您有权访问该网站,请使用正确的凭据连接到该网站并使用 Fiddler 捕获流量。然后,确保 WebClient 发出与浏览器完全相同的 cookie、请求标头、查询字符串等。