[php] cURL을 사용하여 리디렉션 될 위치를 어떻게 찾을 수 있습니까?

curl이 리디렉션을 따르도록하려고하지만 제대로 작동하지 않습니다. 서버에 GET 매개 변수로 보내고 결과 URL을 얻으려는 문자열이 있습니다.

예:

문자열 = Kobold Vermin
Url = www.wowhead.com/search?q=Kobold+Worker

해당 URL로 이동하면 “www.wowhead.com/npc=257″로 리디렉션됩니다. curl이 “npc = 257″을 추출하여 사용할 수 있도록이 URL을 PHP 코드로 반환하려고합니다.

현재 코드 :

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/npc=257 이 아닌 www.wowhead.com/search?q=Kobold+Worker를 반환합니다 .

외부 리디렉션이 발생하기 전에 PHP가 돌아 오는 것 같습니다. 이 문제를 어떻게 해결할 수 있습니까?



답변

cURL이 리디렉션을 따르게하려면 다음을 사용하십시오.

curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);

음 … 당신이 실제로 컬을 실행하고 있다고 생각하지 않습니다 … 시도 :

curl_exec($ch);

… 옵션을 설정 한 후와 curl_getinfo()통화 전에 .

편집 : 페이지가 리디렉션되는 위치를 찾으려면 here 여기 에서 조언을 사용하고 Curl을 사용하여 헤더를 잡고 Location : 헤더를 추출하십시오.

$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]);
}


답변

이 라인을 추가하여 inizialization을 컬하십시오

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_SSL_VERIFYPEER, false);
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);


답변

위의 대답은 서버 중 하나에서 기반으로 작동하지 않았으므로 기반 서버와 관련이 있으므로 조금 해시했습니다. 아래 코드는 모든 서버에서 작동합니다.

$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);
$a = curl_exec($ch);
curl_close( $ch );
// the returned headers
$headers = explode("\n",$a);
// if there is no redirection this will be the final url
$redir = $url;
// loop through the headers and check for a Location: str
$j = count($headers);
for($i = 0; $i < $j; $i++){
// if we find the Location header strip it and fill the redir var       
if(strpos($headers[$i],"Location:") !== false){
        $redir = trim(str_replace("Location:","",$headers[$i]));
        break;
    }
}
// do whatever you want with the result
echo redir;


답변

여기에 선택된 답변은 괜찮지 만 대소 문자를 구분하며 location:실제로는 문구가있을 수있는 상대 헤더 (일부 사이트) 또는 페이지를 보호하지 않습니다.Location: 내용에 (현재는 zillow)를 보호하지 않습니다.

조금 더 부드럽지만 이것을 조금 더 똑똑하게 만들기 위해 몇 가지 빠른 편집은 다음과 같습니다.

function getOriginalURL($url) {
    $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);
    $httpStatus = curl_getinfo($ch, CURLINFO_HTTP_CODE);
    curl_close($ch);

    // if it's not a redirection (3XX), move along
    if ($httpStatus < 300 || $httpStatus >= 400)
        return $url;

    // look for a location: header to find the target URL
    if(preg_match('/location: (.*)/i', $result, $r)) {
        $location = trim($r[1]);

        // if the location is a relative URL, attempt to make it absolute
        if (preg_match('/^\/(.*)/', $location)) {
            $urlParts = parse_url($url);
            if ($urlParts['scheme'])
                $baseURL = $urlParts['scheme'].'://';

            if ($urlParts['host'])
                $baseURL .= $urlParts['host'];

            if ($urlParts['port'])
                $baseURL .= ':'.$urlParts['port'];

            return $baseURL.$location;
        }

        return $location;
    }
    return $url;
}

이것은 여전히 ​​하나의 리디렉션 깊이에만 해당됩니다. 더 깊이 들어가려면 실제로 콘텐츠를 가져 와서 리디렉션을 따라야합니다.


답변

때로는 HTTP 헤더를 가져와야하지만 동시에 해당 헤더를 반환하지 않으려는 경우도 있습니다. **

이 스켈레톤은 재귀를 사용하여 쿠키 및 HTTP 리디렉션을 처리합니다. 여기서 주요 아이디어 는 클라이언트 헤더HTTP 헤더반환하지 않는 것 입니다.

매우 강한 컬 클래스를 만들 수 있습니다. POST 기능 추가 등

<?php

class curl {

  static private $cookie_file            = '';
  static private $user_agent             = '';
  static private $max_redirects          = 10;
  static private $followlocation_allowed = true;

  function __construct()
  {
    // set a file to store cookies
    self::$cookie_file = 'cookies.txt';

    // set some general User Agent
    self::$user_agent = 'Mozilla/4.0 (compatible; MSIE 5.01; Windows NT 5.0)';

    if ( ! file_exists(self::$cookie_file) || ! is_writable(self::$cookie_file))
    {
      throw new Exception('Cookie file missing or not writable.');
    }

    // check for PHP settings that unfits
    // correct functioning of CURLOPT_FOLLOWLOCATION 
    if (ini_get('open_basedir') != '' || ini_get('safe_mode') == 'On')
    {
      self::$followlocation_allowed = false;
    }
  }

  /**
   * Main method for GET requests
   * @param  string $url URI to get
   * @return string      request's body
   */
  static public function get($url)
  {
    $process = curl_init($url);

    self::_set_basic_options($process);

    // this function is in charge of output request's body
    // so DO NOT include HTTP headers
    curl_setopt($process, CURLOPT_HEADER, 0);

    if (self::$followlocation_allowed)
    {
      // if PHP settings allow it use AUTOMATIC REDIRECTION
      curl_setopt($process, CURLOPT_FOLLOWLOCATION, true);
      curl_setopt($process, CURLOPT_MAXREDIRS, self::$max_redirects);
    }
    else
    {
      curl_setopt($process, CURLOPT_FOLLOWLOCATION, false);
    }

    $return = curl_exec($process);

    if ($return === false)
    {
      throw new Exception('Curl error: ' . curl_error($process));
    }

    // test for redirection HTTP codes
    $code = curl_getinfo($process, CURLINFO_HTTP_CODE);
    if ($code == 301 || $code == 302)
    {
      curl_close($process);

      try
      {
        // go to extract new Location URI
        $location = self::_parse_redirection_header($url);
      }
      catch (Exception $e)
      {
        throw $e;
      }

      // IMPORTANT return 
      return self::get($location);
    }

    curl_close($process);

    return $return;
  }

  static function _set_basic_options($process)
  {

    curl_setopt($process, CURLOPT_USERAGENT, self::$user_agent);
    curl_setopt($process, CURLOPT_COOKIEFILE, self::$cookie_file);
    curl_setopt($process, CURLOPT_COOKIEJAR, self::$cookie_file);
    curl_setopt($process, CURLOPT_RETURNTRANSFER, 1);
    // curl_setopt($process, CURLOPT_VERBOSE, 1);
    // curl_setopt($process, CURLOPT_SSL_VERIFYHOST, false);
    // curl_setopt($process, CURLOPT_SSL_VERIFYPEER, false);
  }

  static function _parse_redirection_header($url)
  {
    $process = curl_init($url);

    self::_set_basic_options($process);

    // NOW we need to parse HTTP headers
    curl_setopt($process, CURLOPT_HEADER, 1);

    $return = curl_exec($process);

    if ($return === false)
    {
      throw new Exception('Curl error: ' . curl_error($process));
    }

    curl_close($process);

    if ( ! preg_match('#Location: (.*)#', $return, $location))
    {
      throw new Exception('No Location found');
    }

    if (self::$max_redirects-- <= 0)
    {
      throw new Exception('Max redirections reached trying to get: ' . $url);
    }

    return trim($location[1]);
  }

}


답변

여기에 내가 정말 좋아하는 사실에도 불구하고 여기에 많은 정규 표현식이 나에게 더 안정적 일 수 있습니다.

$resultCurl=curl_exec($curl); //get curl result
//Optional line if you want to store the http status code
$headerHttpCode=curl_getinfo($curl,CURLINFO_HTTP_CODE);

//let's use dom and xpath
$dom = new \DOMDocument();
libxml_use_internal_errors(true);
$dom->loadHTML($resultCurl, LIBXML_HTML_NODEFDTD);
libxml_use_internal_errors(false);
$xpath = new \DOMXPath($dom);
$head=$xpath->query("/html/body/p/a/@href");

$newUrl=$head[0]->nodeValue;

위치 부분은 아파치가 보낸 HTML의 링크입니다. 따라서 Xpath는이를 완벽하게 복구합니다.


답변

당신이 사용할 수있는:

$redirectURL = curl_getinfo($ch,CURLINFO_REDIRECT_URL);