[php] Twitter API 버전 1.1로 user_timeline을 검색하기위한 가장 간단한 PHP 예제

2013 년 6 월 11 일 기준 으로 Twitter API 1.0이 중단되었으므로 아래 스크립트는 더 이상 작동하지 않습니다.

// Create curl resource 
$ch = curl_init();
// Set url 
curl_setopt($ch, CURLOPT_URL, "http://twitter.com/statuses/user_timeline/myscreenname.json?count=10");
// Return the transfer as a string 
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
// $output contains the output string 
$output = curl_exec($ch);
// Close curl resource to free up system resources 
curl_close($ch);

if ($output)
{
    $tweets = json_decode($output,true);

    foreach ($tweets as $tweet)
    {
        print_r($tweet);
    }
}

가능한 최소한의 코드로 user_timeline (최근 상태)을 얻는 방법은 무엇입니까?

나는 이것을 발견했다 : https://dev.twitter.com/docs/api/1.1/get/statuses/user_timeline
그러나 다음과 같은 오류가 발생합니다 :

"{"errors":[{"message":"Could not authenticate you","code":32}]}"

거기에는 많은 수업이 있지만 몇 가지 시도한 후에는 트위터의 업데이트로 인해 작동하지 않는 것 같습니다. 일부는 실제로 필요하지 않은 많은 기능을 갖춘 고급 클래스입니다.

PHP로 최근 사용자 상태를 얻는 가장 간단한 방법은 무엇입니까?



답변

중요 사항 : 2018 년 중반부터 트위터 API 토큰을 얻는 프로세스가 훨씬 관료적으로되었습니다. 그것은을 통해 저를 얻었습니다 주 작업 한 API 토큰 세트를 제공하고,이 이상하면 남자와 여자를위한 오픈 소스 프로젝트입니다 만 1.2 설치 이론적으로 더 높은 우선 순위해야 Github에서에 Packagist에와 1,600 회의 별 .

작업을 위해 twitter API를 사용하는 작업을 수행하는 경우 잠재적으로 매우 긴 대기 시간을 고려해야합니다. 또한 토큰을 검색하는 프로세스가 즉각적이므로 Facebook 또는 Instagram과 같은 다른 소셜 미디어 수단을 고려하고 이러한 옵션을 제공하십시오.


트위터 v1.1 API를 사용 하시겠습니까?

참고 : 이들 파일은 GitHub에 있습니다 .

버전 1.0 은 곧 더 이상 사용되지 않으며 승인되지 않은 요청은 허용되지 않습니다. 그래서 여기에 당신의 삶을 편하게 해주는 PHP 클래스와 함께 그 일을 도와주는 게시물이 있습니다.

1. 개발자 계정 만들기 : Twitter 에서 개발자 계정 을 설정하십시오 .

공식 Twitter 개발자 사이트를 방문하여 개발자 계정을 등록해야합니다. 이것은 v1.1 API를 요청 하는 무료 단계입니다.

2. 애플리케이션 작성 : Twitter 개발자 사이트에서 애플리케이션 작성

뭐? 인증되지 않은 요청을 할 수 있다고 생각 했습니까? Twitter의 v1.1 API에는 해당되지 않습니다. http://dev.twitter.com/apps 를 방문 하여 “응용 프로그램 만들기”버튼을 클릭 해야 합니다.

여기에 이미지 설명을 입력하십시오

이 페이지에서 원하는 세부 사항을 입력하십시오. 스팸 추종자를 제거하기 위해 많은 차단 요청을 원했기 때문에 문제가되지 않았습니다. 요점은 응용 프로그램에 사용할 고유 키 세트 를 얻는 것 입니다.

따라서 응용 프로그램을 만드는 요점은 자신과 트위터에 일련의 키를 제공하는 것입니다. 이것들은:

  • 소비자 키
  • 소비자 비밀
  • 액세스 토큰
  • 액세스 토큰 비밀

여기 에 이러한 토큰에 대한 정보가 약간 있습니다 .

3. 액세스 토큰 생성 : 성공적인 요청을 위해서는이 토큰 이 필요합니다

OAuth 는 몇 개의 토큰을 요청합니다. 따라서 당신을 위해 그것들을 생성해야합니다.

여기에 이미지 설명을 입력하십시오

하단에서 “내 액세스 토큰 만들기”를 클릭하십시오. 그런 다음 바닥으로 다시 스크롤하면 새로 생성 된 키가 생깁니다. API 호출을 위해이 페이지에서 이전에 레이블이 지정된 4 개의 키를 가져 와서 어딘가에 기록하십시오.

4. 액세스 수준 변경 : 읽기 전용을 원하지 않습니까?

이 API를 적절하게 사용하려면 GET 요청을 사용하여 표준 데이터 검색 이외의 작업을 수행하는 경우 설정을 읽기 및 쓰기로 변경해야 합니다.

여기에 이미지 설명을 입력하십시오

페이지 상단 근처의 “설정”탭을 선택하십시오.

여기에 이미지 설명을 입력하십시오

응용 프로그램에 읽기 / 쓰기 권한을 부여하고 맨 아래에서 “업데이트”를 누르십시오.

당신은 할 수 있는 응용 프로그램 권한 모델에 대한 자세한 내용을 트위터 여기에 사용.


5. API에 액세스하기위한 코드 작성 : 대부분의 작업을 수행했습니다

위의 코드를 일부 수정 및 변경과 함께 PHP 클래스로 결합하여 필요한 요청을하는 것이 매우 간단합니다.

이것은 OAuthTwitter v1.1 API 및 내가 만든 클래스를 사용합니다.

require_once('TwitterAPIExchange.php');

/** Set access tokens here - see: https://dev.twitter.com/apps/ **/
$settings = array(
    'oauth_access_token' => "YOUR_OAUTH_ACCESS_TOKEN",
    'oauth_access_token_secret' => "YOUR_OAUTH_ACCESS_TOKEN_SECRET",
    'consumer_key' => "YOUR_CONSUMER_KEY",
    'consumer_secret' => "YOUR_CONSUMER_SECRET"
);

위의 응용 프로그램에서 얻은 키를 각각의 공간에 두십시오.

다음으로 요청하려는 URL을 선택해야합니다. Twitter에는 URL 및 요청 유형 (POST 또는 GET)을 선택하는 데 도움이되는 API 설명서 가 있습니다.

/** URL for REST request, see: https://dev.twitter.com/docs/api/1.1/ **/
$url = 'https://api.twitter.com/1.1/blocks/create.json';
$requestMethod = 'POST';

설명서에서 각 URL에는 전달할 수있는 내용이 나와 있습니다. 위와 같은 “blocks”URL을 사용하는 경우 다음 POST 매개 변수를 전달할 수 있습니다.

/** POST fields required by the URL above. See relevant docs as above **/
$postfields = array(
    'screen_name' => 'usernameToBlock',
    'skip_status' => '1'
);

API로 수행하려는 작업을 설정 했으므로 이제 실제 요청을해야합니다.

/** Perform the request and echo the response **/
$twitter = new TwitterAPIExchange($settings);
echo $twitter->buildOauth($url, $requestMethod)
             ->setPostfields($postfields)
             ->performRequest();

그리고 POST 요청의 경우 끝입니다!

A에 대한 GET의 요청, 그것은 약간의 다릅니다. 예를 들면 다음과 같습니다.

/** Note: Set the GET field BEFORE calling buildOauth(); **/
$url = 'https://api.twitter.com/1.1/followers/ids.json';
$getfield = '?username=J7mbo';
$requestMethod = 'GET';
$twitter = new TwitterAPIExchange($settings);
echo $twitter->setGetfield($getfield)
             ->buildOauth($url, $requestMethod)
             ->performRequest();     

최종 코드 예 : 내 팔로워 목록에 대한 간단한 GET 요청.

$url = 'https://api.twitter.com/1.1/followers/list.json';
$getfield = '?username=J7mbo&skip_status=1';
$requestMethod = 'GET';
$twitter = new TwitterAPIExchange($settings);
echo $twitter->setGetfield($getfield)
             ->buildOauth($url, $requestMethod)
             ->performRequest();  

이 파일 들을 @ lackovic10과 @rivers의 신용 으로 GitHub 에 넣었습니다! 누군가가 유용하다고 생각합니다. 나는 내가 한 일을 알고있다 (루프에서 대량 차단에 사용했다).

또한 SSL 인증서에 문제가있는 Windows 사용자는 이 게시물을 참조하십시오 . 이 라이브러리는 후드 아래에서 cURL을 사용하므로 cURL 인증서가 설정되어 있는지 확인해야합니다. 구글도 친구입니다.


답변

dev.twitter.com으로 이동하여 응용 프로그램을 만듭니다 . 필요한 자격 증명이 제공됩니다. 다음은 최근에 PHPcURL로 작성한 구현 입니다.

<?php
    function buildBaseString($baseURI, $method, $params) {
        $r = array();
        ksort($params);
        foreach($params as $key=>$value){
            $r[] = "$key=" . rawurlencode($value);
        }
        return $method."&" . rawurlencode($baseURI) . '&' . rawurlencode(implode('&', $r));
    }

    function buildAuthorizationHeader($oauth) {
        $r = 'Authorization: OAuth ';
        $values = array();
        foreach($oauth as $key=>$value)
            $values[] = "$key=\"" . rawurlencode($value) . "\"";
        $r .= implode(', ', $values);
        return $r;
    }

    $url = "https://api.twitter.com/1.1/statuses/user_timeline.json";

    $oauth_access_token = "YOURVALUE";
    $oauth_access_token_secret = "YOURVALUE";
    $consumer_key = "YOURVALUE";
    $consumer_secret = "YOURVALUE";

    $oauth = array( 'oauth_consumer_key' => $consumer_key,
                    'oauth_nonce' => time(),
                    'oauth_signature_method' => 'HMAC-SHA1',
                    'oauth_token' => $oauth_access_token,
                    'oauth_timestamp' => time(),
                    'oauth_version' => '1.0');

    $base_info = buildBaseString($url, 'GET', $oauth);
    $composite_key = rawurlencode($consumer_secret) . '&' . rawurlencode($oauth_access_token_secret);
    $oauth_signature = base64_encode(hash_hmac('sha1', $base_info, $composite_key, true));
    $oauth['oauth_signature'] = $oauth_signature;

    // Make requests
    $header = array(buildAuthorizationHeader($oauth), 'Expect:');
    $options = array( CURLOPT_HTTPHEADER => $header,
                      //CURLOPT_POSTFIELDS => $postfields,
                      CURLOPT_HEADER => false,
                      CURLOPT_URL => $url,
                      CURLOPT_RETURNTRANSFER => true,
                      CURLOPT_SSL_VERIFYPEER => false);

    $feed = curl_init();
    curl_setopt_array($feed, $options);
    $json = curl_exec($feed);
    curl_close($feed);

    $twitter_data = json_decode($json);

//print it out
print_r ($twitter_data);

?>

이것은 명령 행에서 실행할 수 있습니다.

$ php <name of PHP script>.php


답변

Rivers가 붙여 넣은 코드는 훌륭합니다. 고마워요! 나는 여기에 새로 왔고 논평 할 수 없다. 나는 javiervd의 질문에 대답하고 싶다. 밖.

URL 및 서명 작성 프로세스 모두에 매개 변수를 추가해야합니다 .
서명을 작성하면 도움이 된 기사입니다. 내 코드는 다음과 같습니다.

$oauth = array(
           'screen_name' => 'DwightHoward',
           'count' => 2,
           'oauth_consumer_key' => $consumer_key,
           'oauth_nonce' => time(),
           'oauth_signature_method' => 'HMAC-SHA1',
           'oauth_token' => $oauth_access_token,
           'oauth_timestamp' => time(),
           'oauth_version' => '1.0'
         );

$options = array(
             CURLOPT_HTTPHEADER => $header,
             //CURLOPT_POSTFIELDS => $postfields,
             CURLOPT_HEADER => false,
             CURLOPT_URL => $url . '?screen_name=DwightHoward&count=2',
             CURLOPT_RETURNTRANSFER => true, CURLOPT_SSL_VERIFYPEER => false
           );


답변

다른 답변에서 언급했듯이 Twitter 앱을 만들어 토큰, 키 및 비밀을 얻으십시오. 다음 코드를 사용하면 한 지점에서 요청 매개 변수를 수정하고 오타 및 유사한 오류를 피할 수 있습니다 ( $request배열 returnTweet()기능 변경 ).

function buildBaseString($baseURI, $method, $params) {
    $r = array();
    ksort($params);
    foreach($params as $key=>$value){
        $r[] = "$key=" . rawurlencode($value);
    }
    return $method."&" . rawurlencode($baseURI) . '&' . rawurlencode(implode('&', $r));
}

function buildAuthorizationHeader($oauth) {
    $r = 'Authorization: OAuth ';
    $values = array();
    foreach($oauth as $key=>$value)
        $values[] = "$key=\"" . rawurlencode($value) . "\"";
    $r .= implode(', ', $values);
    return $r;
}

function returnTweet(){
    $oauth_access_token         = "x";
    $oauth_access_token_secret  = "x";
    $consumer_key               = "x";
    $consumer_secret            = "x";

    $twitter_timeline           = "user_timeline";  //  mentions_timeline / user_timeline / home_timeline / retweets_of_me

    //  create request
        $request = array(
            'screen_name'       => 'budidino',
            'count'             => '3'
        );

    $oauth = array(
        'oauth_consumer_key'        => $consumer_key,
        'oauth_nonce'               => time(),
        'oauth_signature_method'    => 'HMAC-SHA1',
        'oauth_token'               => $oauth_access_token,
        'oauth_timestamp'           => time(),
        'oauth_version'             => '1.0'
    );

    //  merge request and oauth to one array
        $oauth = array_merge($oauth, $request);

    //  do some magic
        $base_info              = buildBaseString("https://api.twitter.com/1.1/statuses/$twitter_timeline.json", 'GET', $oauth);
        $composite_key          = rawurlencode($consumer_secret) . '&' . rawurlencode($oauth_access_token_secret);
        $oauth_signature            = base64_encode(hash_hmac('sha1', $base_info, $composite_key, true));
        $oauth['oauth_signature']   = $oauth_signature;

    //  make request
        $header = array(buildAuthorizationHeader($oauth), 'Expect:');
        $options = array( CURLOPT_HTTPHEADER => $header,
                          CURLOPT_HEADER => false,
                          CURLOPT_URL => "https://api.twitter.com/1.1/statuses/$twitter_timeline.json?". http_build_query($request),
                          CURLOPT_RETURNTRANSFER => true,
                          CURLOPT_SSL_VERIFYPEER => false);

        $feed = curl_init();
        curl_setopt_array($feed, $options);
        $json = curl_exec($feed);
        curl_close($feed);

    return json_decode($json, true);
}

그런 다음 전화 returnTweet()


답변

크리스 감사합니다!

하나 이상의 매개 변수를 사용할 때마다 오류가 표시됩니다. 32 인증 할 수 없습니다.

나를위한 문제는 앰퍼샌드 인코딩에있었습니다. 따라서 코드에서 다음 줄이있는 곳

$url .= "?".http_build_query($query);

아래에 다음 줄을 추가했습니다.

$url=str_replace("&amp;","&",$url);

그리고 screen_name 및 count와 같은 두 개 이상의 매개 변수를 사용하여 작동했습니다.

전체 코드는 다음과 같습니다.

$token = 'YOUR TOKEN';
$token_secret = 'TOKEN SECRET';
$consumer_key = 'YOUR KEY';
$consumer_secret = 'KEY SECRET';

$host = 'api.twitter.com';
$method = 'GET';
$path = '/1.1/statuses/user_timeline.json'; // api call path

$query = array( // query parameters
    'screen_name' => 'twitterapi',
    'count' => '2'
);

$oauth = array(
    'oauth_consumer_key' => $consumer_key,
    'oauth_token' => $token,
    'oauth_nonce' => (string)mt_rand(), // a stronger nonce is recommended
    'oauth_timestamp' => time(),
    'oauth_signature_method' => 'HMAC-SHA1',
    'oauth_version' => '1.0'
);

$oauth = array_map("rawurlencode", $oauth); // must be encoded before sorting
$query = array_map("rawurlencode", $query);

$arr = array_merge($oauth, $query); // combine the values THEN sort

asort($arr); // secondary sort (value)
ksort($arr); // primary sort (key)

// http_build_query automatically encodes, but our parameters
// are already encoded, and must be by this point, so we undo
// the encoding step
$querystring = urldecode(http_build_query($arr, '', '&'));

$url = "https://$host$path";

// mash everything together for the text to hash
$base_string = $method."&".rawurlencode($url)."&".rawurlencode($querystring);

// same with the key
$key = rawurlencode($consumer_secret)."&".rawurlencode($token_secret);

// generate the hash
$signature = rawurlencode(base64_encode(hash_hmac('sha1', $base_string, $key, true)));

// this time we're using a normal GET query, and we're only encoding the query params
// (without the oauth params)
$url .= "?".http_build_query($query);
$url=str_replace("&amp;","&",$url); //Patch by @Frewuill

$oauth['oauth_signature'] = $signature; // don't want to abandon all that work!
ksort($oauth); // probably not necessary, but twitter's demo does it

// also not necessary, but twitter's demo does this too
function add_quotes($str) { return '"'.$str.'"'; }
$oauth = array_map("add_quotes", $oauth);

// this is the full value of the Authorization line
$auth = "OAuth " . urldecode(http_build_query($oauth, '', ', '));

// if you're doing post, you need to skip the GET building above
// and instead supply query parameters to CURLOPT_POSTFIELDS
$options = array( CURLOPT_HTTPHEADER => array("Authorization: $auth"),
                  //CURLOPT_POSTFIELDS => $postfields,
                  CURLOPT_HEADER => false,
                  CURLOPT_URL => $url,
                  CURLOPT_RETURNTRANSFER => true,
                  CURLOPT_SSL_VERIFYPEER => false);

// do our business
$feed = curl_init();
curl_setopt_array($feed, $options);
$json = curl_exec($feed);
curl_close($feed);

$twitter_data = json_decode($json);

희망 그것은 내가 가진 것과 같은 문제를 가진 누군가를 돕습니다.


답변

이 질문은 많은 도움이되었지만 필요한 일을 이해하는 데 도움이되지 못했습니다. 이 블로그 게시물 은 저를 안내하는 놀라운 일을했습니다.

중요한 것은 다음과 같습니다.

  • 위에서 지적했듯이 1.1 API 요청에 서명해야합니다. 공개 상태를 얻는 것과 같은 일을하는 경우 사용자 키가 아닌 응용 프로그램 키가 필요합니다. 원하는 페이지의 전체 링크는 https://dev.twitter.com/apps입니다.
  • oauth 매개 변수와 get 매개 변수 (또는 POST 매개 변수)를 모두 함께 모든 매개 변수를 해시해야합니다.
  • 해시되는 URL 인코딩 형식으로 줄이기 전에 매개 변수를 정렬해야합니다.
  • 몇 가지 사항을 여러 번 인코딩해야합니다. 예를 들어 매개 변수의 URL 인코딩 된 값에서 쿼리 문자열을 만든 다음 THAT를 인코딩하고 메서드 유형 및 URL과 연결합니다.

나는 모든 두통에 동정한다. 그래서 그것을 마무리하는 코드가있다.

$token = 'YOUR TOKEN';
$token_secret = 'TOKEN SECRET';
$consumer_key = 'YOUR KEY';
$consumer_secret = 'KEY SECRET';

$host = 'api.twitter.com';
$method = 'GET';
$path = '/1.1/statuses/user_timeline.json'; // api call path

$query = array( // query parameters
    'screen_name' => 'twitterapi',
    'count' => '2'
);

$oauth = array(
    'oauth_consumer_key' => $consumer_key,
    'oauth_token' => $token,
    'oauth_nonce' => (string)mt_rand(), // a stronger nonce is recommended
    'oauth_timestamp' => time(),
    'oauth_signature_method' => 'HMAC-SHA1',
    'oauth_version' => '1.0'
);

$oauth = array_map("rawurlencode", $oauth); // must be encoded before sorting
$query = array_map("rawurlencode", $query);

$arr = array_merge($oauth, $query); // combine the values THEN sort

asort($arr); // secondary sort (value)
ksort($arr); // primary sort (key)

// http_build_query automatically encodes, but our parameters
// are already encoded, and must be by this point, so we undo
// the encoding step
$querystring = urldecode(http_build_query($arr, '', '&'));

$url = "https://$host$path";

// mash everything together for the text to hash
$base_string = $method."&".rawurlencode($url)."&".rawurlencode($querystring);

// same with the key
$key = rawurlencode($consumer_secret)."&".rawurlencode($token_secret);

// generate the hash
$signature = rawurlencode(base64_encode(hash_hmac('sha1', $base_string, $key, true)));

// this time we're using a normal GET query, and we're only encoding the query params
// (without the oauth params)
$url .= "?".http_build_query($query);

$oauth['oauth_signature'] = $signature; // don't want to abandon all that work!
ksort($oauth); // probably not necessary, but twitter's demo does it

// also not necessary, but twitter's demo does this too
function add_quotes($str) { return '"'.$str.'"'; }
$oauth = array_map("add_quotes", $oauth);

// this is the full value of the Authorization line
$auth = "OAuth " . urldecode(http_build_query($oauth, '', ', '));

// if you're doing post, you need to skip the GET building above
// and instead supply query parameters to CURLOPT_POSTFIELDS
$options = array( CURLOPT_HTTPHEADER => array("Authorization: $auth"),
                  //CURLOPT_POSTFIELDS => $postfields,
                  CURLOPT_HEADER => false,
                  CURLOPT_URL => $url,
                  CURLOPT_RETURNTRANSFER => true,
                  CURLOPT_SSL_VERIFYPEER => false);

// do our business
$feed = curl_init();
curl_setopt_array($feed, $options);
$json = curl_exec($feed);
curl_close($feed);

$twitter_data = json_decode($json);


답변

OAuth PHP 라이브러리가 설치되어 있으면 직접 요청을 작성할 필요가 없습니다.

$oauth = new OAuth($consumer_key, $consumer_secret, OAUTH_SIG_METHOD_HMACSHA1, OAUTH_AUTH_TYPE_URI);
$oauth->setToken($access_token, $access_secret);

$oauth->fetch("https://api.twitter.com/1.1/statuses/user_timeline.json");
$twitter_data = json_decode($oauth->getLastResponse());

print_r($twitter_data);

자세한 내용은 문서 또는 예제를 확인하십시오 . pecl install oauth라이브러리를 얻는 데 사용할 수 있습니다 .