2

有谁知道如何使用 WebRequest 类检查网页是否通过 C# 请求 HTTP 身份验证?我不是在问如何将凭据发布到页面,只是如何检查页面是否要求身份验证。

获取 HTML 的当前代码段:

WebRequest wrq = WebRequest.Create(address);
wrs = wrq.GetResponse();
Uri uri = wrs.ResponseUri;
StreamReader strdr = new StreamReader(wrs.GetResponseStream());
string html = strdr.ReadToEnd();
wrs.Close();
strdr.Close();
return html;

PHP服务器端源码:

<?php
if (!isset($_SERVER['PHP_AUTH_USER'])) {
    header('WWW-Authenticate: Basic realm="Secure Sign-in"');
    header('HTTP/1.0 401 Unauthorized');
    echo 'Text to send if user hits Cancel button';
    exit;
} else {
    echo "<p>Hello {$_SERVER['PHP_AUTH_USER']}.</p>";
    echo "<p>You entered {$_SERVER['PHP_AUTH_PW']} as your password.</p>";
}
?>
4

2 回答 2

4

WebRequest.GetResponse返回一个类型的对象HttpWebResponse。只需投射它,您就可以检索StatusCode.

但是,如果.Net 收到状态为 4xx 或 5xx 的响应(感谢您的反馈),它会给您一个例外。有一个小解决方法,请查看:

    HttpWebRequest wrq = (HttpWebRequest)WebRequest.Create(@"http://webstrand.comoj.com/locked/safe.php");
    HttpWebResponse wrs = null;

    try
    {
        wrs = (HttpWebResponse)wrq.GetResponse();
    }
    catch (System.Net.WebException protocolError)
    {
        if (((HttpWebResponse)protocolError.Response).StatusCode == HttpStatusCode.Unauthorized)
        {
            //do something
        }
    }
    catch (System.Exception generalError)
    {
        //run to the hills
    }

    if (wrs.StatusCode == HttpStatusCode.OK)
    {
        Uri uri = wrs.ResponseUri;
        StreamReader strdr = new StreamReader(wrs.GetResponseStream());

        string html = strdr.ReadToEnd();
        wrs.Close();
        strdr.Close();
    }

希望这可以帮助。

问候

于 2012-07-24T03:16:34.450 回答
1

可能想试试

WebClient wc = new WebClient();
CredentialCache credCache = new CredentialCache();

如果您可以使用 WebClient 而不是 WebRequest,那么您应该使用更高级别,更容易处理标头等。

此外,可能想检查这个线程: System.Net.WebClient 异常失败

于 2012-07-24T03:04:54.343 回答