Contents

Develop
2017.02.27 11:23

[ios] Facebook Cache 갱신하는 함수

조회 수 1163 댓글 0
Atachment
첨부 '1'
?

단축키

Prev이전 문서

Next다음 문서

크게 작게 위로 아래로 댓글로 가기 인쇄
?

단축키

Prev이전 문서

Next다음 문서

크게 작게 위로 아래로 댓글로 가기 인쇄

페이스북에 URL을 공유할 경우 페이스북은 해당 URL에 대한 OpenGraph 정보들을 캐싱한다.

메타 정보가 수시로 바뀌는 컨텐츠의 경우 Facebook의 URL 공유시 잘못된 정보가 매핑될 수 있다.

(이전에 캐싱됐던 내용이 적용되는 것)


이를 갱신하기 위한 방법이 여러 가지가 있다.


1. Facebook for Developers (개발자도구) 사이트를 이용하여 요청

Facebook의 개발자 사이트에서 OG 캐시의 동작을 확인하고 갱신하는 웹페이지를 제공한다.

다음 URL을 이용해 확인할 수 있다.

-> https://developers.facebook.com/tools/debug/


2. Facebook API 이용

Facebook에서 OG 캐시를 갱신할 수 있는 HTTP 기반의 API를 제공하고 있다.

다양한 플랫폼과 프로그래밍 언어를 통해 이 API를 호출하여 갱신할 수 있다.


PHP + Curl (Web, Server-side)

$url = 'https://graph.facebook.com';
$ch = curl_init();
curl_setopt( $ch, CURLOPT_URL, $url );
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
curl_setopt( $ch, CURLOPT_POST, true );

$params = array(
    'id' => 'http://www.picomax.net/',
    'scrape' => true
);
$data = http_build_query($params);

curl_setopt($ch,CURLOPT_POSTFIELDS,$data);
curl_exec( $ch );
$httpCode = curl_getinfo( $ch, CURLINFO_HTTP_CODE );

Javascript (Web, Front-end)

// with jQuery
$.post(
    'https://graph.facebook.com',
    {
        id: 'http://www.picomax.net/',
        scrape: true
    },
    function(response){
        console.log(response);
    }
);


# Vanilla Javascript (Web, Front-end)

//Check if facebook_refresh query string is present
if(window.location.search.indexOf("facebook_refresh") >= 0)
{
    //Feature check browsers for support
    if(document.addEventListener && window.XMLHttpRequest && document.querySelector)
    {
        //DOM is ready
        document.addEventListener("DOMContentLoaded", function() {
            var httpRequest = new XMLHttpRequest();
            httpRequest.open("POST", "https://graph.facebook.com", true);
            
            httpRequest.onreadystatechange = function () {
                if (httpRequest.readyState == 4) {
                    console.log("httpRequest.responseText", httpRequest.responseText);
                }
            };
            
            //Default URL to send to Facebook
            var url = window.location;
            
            //og:url element
            var og_url = document.querySelector("meta[property='og:url']");
            
            //Check if og:url element is present on page
            if(og_url != null)
            {
                //Get the content attribute value of og:url
                var og_url_value = og_url.getAttribute("content");
                
                //If og:url content attribute isn't empty
                if(og_url_value != "")
                {
                    url = og_url_value;
                } else {
                    console.warn('<meta property="og:url" content=""> is empty.
                    Falling back to window.location');
                }               
            } else {
                console.warn('<meta property="og:url" content=""> is missing.
                Falling back to window.location');
            }
            
            //Send AJAX
            httpRequest.send("scrape=true&id=" + encodeURIComponent(url));
            
        });
    } else {
        console.warn("Your browser doesn't support one of the following:
            document.addEventListener && window.XMLHttpRequest && document.querySelector");
    }
}


# Objective-C (iOS)

- (void)viewDidLoad {
    [super viewDidLoad];
    // Do any additional setup after loading the view, typically from a nib.
    
    NSString *targetId = @"http://www.picomax.net";
    //[self updateFacebookCache:targetId];
}

- (void)updateFacebookCache:(NSString *)targetId {
    NSString *url = @"https://graph.facebook.com";
    
    NSMutableDictionary *params = [[NSMutableDictionary alloc] init];
    [params setObject:targetId forKey:@"id"];
    [params setObject:@"true" forKey:@"scrape"];
    
    AFHTTPSessionManager *manager = [[AFHTTPSessionManager alloc]
        initWithSessionConfiguration:[NSURLSessionConfiguration defaultSessionConfiguration]];
    manager.requestSerializer = [AFJSONRequestSerializer serializer];
    [manager.requestSerializer setValue:@"application/json" forHTTPHeaderField:@"Content-Type"];
    
    [manager POST:url parameters:params progress:nil
        success:^(NSURLSessionDataTask * _Nonnull task, id  _Nullable responseObject)
    {
        NSLog(@"success!");
    } failure:^(NSURLSessionDataTask * _Nullable task, NSError * _Nonnull error) {
        NSLog(@"error: %@", error);
    }];
}



?

List of Articles
번호 분류 제목 글쓴이 날짜 조회 수
805 Develop How to Test SMTP AUTH using Telnet hooni 2018.04.05 1318
804 Develop [python] DJI Tello 드론 코딩 (프로그래밍) 58 file hooni 2018.03.04 25703
803 Develop What is difference between Get, Post, Put and Delete? hooni 2018.02.28 1386
802 Develop [php] Laravel Route에서 PC/Mobile 분기 hooni 2018.01.24 2447
801 Develop Laravel 5 Failed opening required bootstrap/../vendor/autoload.php hooni 2018.01.24 1638
800 Develop [php][laravel] 라라벨 개발환경 세팅하기 (Mac, Window) 2 file hooni 2017.12.15 2550
799 Develop [php][laravel] 라라벨 프로젝트 생성 및 구조 file hooni 2017.12.15 2364
798 Develop [php][laravel] 초간단 MacOS에서 Laravel 개발 환경 구축 hooni 2017.12.15 1847
797 Develop [js] 문자열에서 숫자만 걸러내기 (jQuery 안쓰고 정규표현식) hooni 2017.12.14 1088
796 Develop [js] URL 파싱하기 (jQuery 안쓰고) hooni 2017.12.14 1292
795 Develop [php] Laravel 5.4: Specified key was too long error file hooni 2017.12.04 9207
794 Develop [php] mysql_ 과 mysqli_ 의 차이 hooni 2017.12.01 1677
Board Pagination Prev 1 2 3 4 5 6 7 8 9 10 ... 71 Next
/ 71