问题
I'm trying to retrieve a list of urls that represent the path taken from URL X
to URL Y
where X
may be redirected several times.
For example:
http://www.example.com/foo
That will redirect to:
http://www.example.com/bar
Which then redirects to:
http://www.example.com/foobar
Is there a way of get this redirect pathway from the response object as a string: http://www.example.com/foo > http://www.example.com/bar > http://www.example.com/foobar
I'm able to get at the final URL via ResponseUri
e.g.
public static string GetRedirectPath(string url)
{
StringBuilder sb = new StringBuilder();
HttpWebRequest request = (HttpWebRequest)WebRequest.Create(url);
using (var response = (HttpWebResponse)request.GetResponse())
{
sb.Append(response.ResponseUri);
}
return sb.ToString();
}
But this obviously skips the URL in between. There doesn't seem be an easy way (or way at all?) to get the full pathway?
回答1:
There is a way:
public static string RedirectPath(string url)
{
StringBuilder sb = new StringBuilder();
string location = string.Copy(url);
while (!string.IsNullOrWhiteSpace(location))
{
sb.AppendLine(location); // you can also use 'Append'
HttpWebRequest request = HttpWebRequest.CreateHttp(location);
request.AllowAutoRedirect = false;
using (HttpWebResponse response = (HttpWebResponse)request.GetResponse())
{
location = response.GetResponseHeader("Location");
}
}
return sb.ToString();
}
I tested it with this TinyURL: http://tinyurl.com/google
Output:
http://tinyurl.com/google
http://www.google.com/
http://www.google.be/?gws_rd=cr
Press any key to continue . . .
This is correct, because my TinyURL redirects you to google.com (check it here: http://preview.tinyurl.com/google), and google.com redirects me to google.be, because I'm in Belgium.
来源:https://stackoverflow.com/questions/17990604/get-a-collection-of-redirected-urls-from-httpwebresponse