如何在PHP中使用cURL找到我将被重定向到的位置?

2022-08-30 06:41:02

我试图让curl遵循重定向,但我不能完全让它正常工作。我有一个字符串,我想作为GET参数发送到服务器并获取生成的URL。

例:

String = Kobold Vermin
Url = www.wowhead.com/search?q=Kobold+Worker

如果您转到该URL,它会将您重定向到“www.wowhead.com/npc=257”。我希望curl将此URL返回到我的PHP代码,以便我可以提取“npc = 257”并使用它。

当前代码:

function npcID($name) {
    $urltopost = "http://www.wowhead.com/search?q=" . $name;
    $ch = curl_init();
    curl_setopt($ch, CURLOPT_USERAGENT, "Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.8.1.1) Gecko/20061204 Firefox/2.0.0.1");
    curl_setopt($ch, CURLOPT_URL, $urltopost);
    curl_setopt($ch, CURLOPT_REFERER, "http://www.wowhead.com");
    curl_setopt($ch, CURLOPT_HTTPHEADER, Array("Content-Type:application/x-www-form-urlencoded"));
    curl_setopt($ch, CURLOPT_FOLLOWLOCATION, TRUE);
    return curl_getinfo($ch, CURLINFO_EFFECTIVE_URL);
}

但是,这会返回 www.wowhead.com/search?q=Kobold+Worker 而不是 www.wowhead.com/npc=257

我怀疑PHP在外部重定向发生之前返回。我该如何解决这个问题?


答案 1

要使 cURL 遵循重定向,请使用:

curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);

呃......我不认为你实际上是在执行卷曲...尝试:

curl_exec($ch);

...在设置选项之后,在呼叫之前。curl_getinfo()

编辑:如果你只是想找出一个页面重定向到哪里,我会使用这里的建议,只是使用Curl来抓取标题并从中提取位置:标题:

$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_HEADER, true);
curl_setopt($ch, CURLOPT_FOLLOWLOCATION, false);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
$result = curl_exec($ch);
if (preg_match('~Location: (.*)~i', $result, $match)) {
   $location = trim($match[1]);
}

答案 2

将此行添加到卷曲初始化

curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);

并在curl_close之前使用 getinfo

$redirectURL = curl_getinfo($ch,CURLINFO_EFFECTIVE_URL );

es:

$ch = curl_init($url);
curl_setopt($ch, CURLOPT_HEADER, false);
curl_setopt($ch, CURLOPT_USERAGENT,'Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.8.1.13) Gecko/20080311 Firefox/2.0.0.13');
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_BINARYTRANSFER, true);
curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);
curl_setopt($ch, CURLOPT_CONNECTTIMEOUT ,0); 
curl_setopt($ch, CURLOPT_TIMEOUT, 60);
$html = curl_exec($ch);
$redirectURL = curl_getinfo($ch,CURLINFO_EFFECTIVE_URL );
curl_close($ch);

推荐