我正在尝试制作重定向php脚本,我希望该脚本检查链接是否存在,然后将用户重定向到链接,如果它不存在则会获得下一个链接,依此类推,但由于某些原因不起作用,也许你可以给我一些帮助。
<?php
$URL = 'http://www.site1.com';
$URL = 'http://www.site2.com';
$URL = 'http://www.site3.com';
$handlerr = curl_init($URL);
curl_setopt($handlerr, CURLOPT_RETURNTRANSFER, TRUE);
$resp = curl_exec($handlerr);
$ht = curl_getinfo($handlerr, CURLINFO_HTTP_CODE);
if ($ht == '404')
{ echo "Sorry the website is down atm, please come back later!";}
else { header('Location: '. $URL);}
?>
答案 0 :(得分:2)
您正在覆盖$URL
变量..
$URL = 'http://www.site1.com';
$URL = 'http://www.site2.com';
$URL = 'http://www.site3.com';
将这些网址放在一个数组中,然后使用for each
循环遍历它。
答案 1 :(得分:1)
您的代码中存在一些问题。对于1,您的$ URL将覆盖自身,导致只有1个URL。它需要是一个数组:
array( 'http://www.site1.com', 'http://www.site2.com', 'http://www.site3.com' );
您可以获得许多回复,而不仅仅是404,因此您应该告诉cURL遵循重定向。如果URL本身是重定向,则可以获得301重定向到200.所以我们想要遵循它。
试试这个:
<?php
function curlGet($url)
{
$ch = curl_init($url);
curl_setopt($ch, CURLOPT_HEADER, true);
curl_setopt($ch, CURLOPT_NOBODY, true);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);
curl_setopt($ch, CURLOPT_TIMEOUT, 10);
$output = curl_exec($ch);
$httpcode = curl_getinfo($ch, CURLINFO_HTTP_CODE);
if ( $httpcode == 200 ) {
return true;
}
return false;
}
$urlArray = array( 'http://www.site1.com', 'http://www.site2.com', 'http://www.site3.com' );
foreach ( $urlArray as $url ) {
if ( $result = curlGet($url) ) {
header('Location: ' . $url);
exit;
}
}
// if we made it here, we looped through every url
// and none of them worked
echo "No valid URLs found...";
答案 2 :(得分:0)
http://php.net/manual/en/function.file-exists.php#74469
<?php
function url_exists($url) {
if (!$fp = curl_init($url)) return false;
return true;
}
?>
这将为您提供网址存在检查。
要检查多个网址,您需要一个数组:
<?
$url_array = [];
$url_array[] = 'http://www.site1.com';
$url_array[] = 'http://www.site2.com';
$url_array[] = 'http://www.site3.com';
foreach ($url_array as $url) {
if url_exists($url){
// do what you need;
break;
}
}
?>
PS - 这是完全未经测试的,但理论上应该做你需要的。