programing

Twitter API 1.1 oAuth로 사용자 타임라인 인증 및 요청

muds 2023. 10. 18. 23:06
반응형

Twitter API 1.1 oAuth로 사용자 타임라인 인증 및 요청

오늘 아침에 저는 'Twitter REST API v1이 더 이상 활성화되지 않습니다.'라는 무서운 메시지를 받았습니다.제 웹 사이트 중 일부에서 API v1.1로 마이그레이션하십시오.' 오류가 발생했습니다.

이전에 저는 javascript/json을 사용하여 타임라인을 표시하기 위해 http://api.twitter.com/1/statuses/user_timeline.json 로 전화를 걸었습니다.

이것은 더 이상 사용할 수 없기 때문에 새로운 1.1 API 프로세스를 채택해야 합니다.

타사 응용 프로그램이 아닌 HttpWebRequest 개체를 사용하여 다음 작업을 수행해야 합니다.

  1. oauth 키 및 secret을 사용하여 인증
  2. 인증된 전화를 걸어 사용자 타임라인 표시

이것이 간단한 예로 작동하도록 하기 위해 제가 한 일입니다.

트위터에서 oAuth 소비자 키와 비밀을 생성해야 했습니다.

https://dev.twitter.com/apps/new

저는 먼저 인증 개체를 역직렬화하여 토큰을 가져온 후 type을 다시 입력하여 타임라인 호출을 인증했습니다.

타임라인 호출은 json만 읽습니다. json만 읽으면 됩니다. 그러면 객체로 역직렬화하는 것이 좋습니다.

이에 대한 프로젝트를 작성했습니다. https://github.com/andyhutch77/oAuthTwitterWrapper

업데이트 - asp.net web app 및 mvc app 예제 데모와 nuget 설치를 모두 포함하도록 github 프로젝트를 업데이트했습니다.

// You need to set your own keys and screen name
var oAuthConsumerKey = "superSecretKey";
var oAuthConsumerSecret = "superSecretSecret";
var oAuthUrl = "https://api.twitter.com/oauth2/token";
var screenname = "aScreenName";

// Do the Authenticate
var authHeaderFormat = "Basic {0}";

var authHeader = string.Format(authHeaderFormat,
    Convert.ToBase64String(Encoding.UTF8.GetBytes(Uri.EscapeDataString(oAuthConsumerKey) + ":" +
    Uri.EscapeDataString((oAuthConsumerSecret)))
));

var postBody = "grant_type=client_credentials";

HttpWebRequest authRequest = (HttpWebRequest)WebRequest.Create(oAuthUrl);
authRequest.Headers.Add("Authorization", authHeader);
authRequest.Method = "POST";
authRequest.ContentType = "application/x-www-form-urlencoded;charset=UTF-8";
authRequest.AutomaticDecompression = DecompressionMethods.GZip | DecompressionMethods.Deflate;

using (Stream stream = authRequest.GetRequestStream())
{
    byte[] content = ASCIIEncoding.ASCII.GetBytes(postBody);
    stream.Write(content, 0, content.Length);
}

authRequest.Headers.Add("Accept-Encoding", "gzip");

WebResponse authResponse = authRequest.GetResponse();
// deserialize into an object
TwitAuthenticateResponse twitAuthResponse;
using (authResponse)
{
    using (var reader = new StreamReader(authResponse.GetResponseStream())) {
        JavaScriptSerializer js = new JavaScriptSerializer();
        var objectText = reader.ReadToEnd();
        twitAuthResponse = JsonConvert.DeserializeObject<TwitAuthenticateResponse>(objectText);
    }
}

// Do the timeline
var timelineFormat = "https://api.twitter.com/1.1/statuses/user_timeline.json?screen_name={0}&include_rts=1&exclude_replies=1&count=5";
var timelineUrl = string.Format(timelineFormat, screenname);
HttpWebRequest timeLineRequest = (HttpWebRequest)WebRequest.Create(timelineUrl);
var timelineHeaderFormat = "{0} {1}";
timeLineRequest.Headers.Add("Authorization", string.Format(timelineHeaderFormat, twitAuthResponse.token_type, twitAuthResponse.access_token));
timeLineRequest.Method = "Get";
WebResponse timeLineResponse = timeLineRequest.GetResponse();
var timeLineJson = string.Empty;
using (timeLineResponse)
{
    using (var reader = new StreamReader(timeLineResponse.GetResponseStream()))
    {
         timeLineJson = reader.ReadToEnd();
    }
}


public class TwitAuthenticateResponse {
    public string token_type { get; set; }
    public string access_token { get; set; }
}

새로운 API를 사용하지 않고 사이트에서 트위터 게시물을 얻을 수 있는 JS 전용 솔루션을 만들었습니다. 이제 트윗 수도 지정할 수 있습니다. http://goo.gl/JinwJ

언급URL : https://stackoverflow.com/questions/17067996/authenticate-and-request-a-users-timeline-with-twitter-api-1-1-oauth

반응형