微博自動(dòng)發(fā)布?xì)庀髷?shù)據(jù)(二)Python發(fā)布微博

在上一篇里面,通過Python簡(jiǎn)單的爬蟲在網(wǎng)上獲取了天氣實(shí)況數(shù)據(jù)朴上,這次想辦法用Python把數(shù)據(jù)發(fā)布在微博上面片习,微博提供了這樣的接口,我們所做的就是用Python實(shí)現(xiàn)和微博公共接口的對(duì)接式矫。
在這之前我們需要訪問微博 微博開放平臺(tái) 來注冊(cè)一個(gè)應(yīng)用,這個(gè)完全是免費(fèi)的役耕。注冊(cè)成功之后獲得AppKeyApp Secret采转,這是非常重要的數(shù)據(jù),在后面會(huì)用到瞬痘。

注冊(cè)應(yīng)用.png

通過上面的keySecret故慈,我們可以從新浪微博服務(wù)器獲取一個(gè)最最關(guān)鍵的參數(shù),就是access_token框全,這個(gè)參數(shù)表明我們通過了服務(wù)器認(rèn)證察绷,也就是說微博認(rèn)為我們是擁有發(fā)布微博的權(quán)限的。
獲取的方法大概是:
1津辩、使用get方法訪問新浪的OAuth認(rèn)證頁(yè)拆撼,需要傳遞的參數(shù)是AppKey和重定向地址容劳,在通過驗(yàn)證之后,將重定向到我們提供的重定向地址闸度,并提供給我們一個(gè)CODE參數(shù)的值鸭蛙。
2、發(fā)送post請(qǐng)求給微博服務(wù)器筋岛,包含以下參數(shù):

fields = {'code': code, 'redirect_uri': self.redirect_uri, 'client_id': self.client_id,
                  'client_secret': self.client_secret, 'grant_type': 'authorization_code'}

收到返回值,一個(gè)就是access_token的值晒哄,另外一個(gè)expires是指access_token的超時(shí)時(shí)間睁宰,超時(shí)后需重新獲取access_token
之后的工作就是調(diào)用接口發(fā)送數(shù)據(jù)了寝凌,當(dāng)然柒傻,微博在這接口里面做出了很多限制,以前限制很少较木,現(xiàn)在用起來不那么舒服了:

限制.png

簡(jiǎn)易的代碼如下:兩個(gè)文件:weiboSDK.py

#!/usr/bin/env python3
# -*- coding: utf-8 -*-

__version__ = '1.0.0'
__author__ = 'aeropig@163.com'

'''
Python3 client SDK for sina weibo API using OAuth 2.
'''
# import gzip
import time
import requests
# import json
# import hmac
# import base64
# import hashlib
import logging
# import mimetypes
# import collections
# from io import StringIO
import webbrowser
default_redirect_uri = 'https://api.weibo.com/oauth2/default.html'
_HTTP_GET = 0
_HTTP_POST = 1
_HTTP_POST_UPLOAD = 2


def _encode_params(**kw):
    args = []
    for (k, v) in kw.items():
        args.append('%s=%s' % (str(k), str(v)))
    return '&'.join(args)


class APIError(BaseException):
    '''
    raise APIError
    '''

    def __init__(self, error_code, error, request):
        self.error_code = error_code
        self.error = error
        self.request = request
        BaseException.__init__(self, error)

    def __str__(self):
        return 'APIError: %s: %s, request: %s' % (self.error_code, self.error, self.request)


def _http_get(url, authorization=None, **kw):
    logging.info('GET %s' % url)
    return _http_call(url, _HTTP_GET, authorization, **kw)


def _http_post(url, authorization=None, **kw):
    logging.info('POST %s' % url)
    return _http_call(url, _HTTP_POST, authorization, **kw)


def _http_post_upload(url, authorization=None, **kw):
    logging.info('MULTIPART POST %s' % url)
    return _http_call(url, _HTTP_POST_UPLOAD, authorization, **kw)


def _http_call(the_url, method, authorization, **kw):
    '''
    send an http request and return a json object if no error occurred.
    '''
    if authorization:
        kw['access_token'] = authorization
    if method == _HTTP_GET:
        r = requests.get(the_url, params=kw)
    elif method == _HTTP_POST:
        r = requests.post(the_url, data=kw)
    elif method == _HTTP_POST_UPLOAD:
        _files = {'pic': open(kw['pic'], 'rb')}
        kw.pop('pic')
        r = requests.post(the_url, data=kw, files=_files)
    else:
        pass
    return r.json()


class APIClient(object):
    '''
    API client using synchronized invocation.
    '''

    def __init__(self, app_key, app_secret, redirect_uri=default_redirect_uri, domain='api.weibo.com', version='2'):
        self.client_id = str(app_key)
        self.client_secret = str(app_secret)
        self.redirect_uri = redirect_uri
        self.auth_url = 'https://%s/oauth2/' % domain
        self.api_url = 'https://%s/%s/' % (domain, version)

    def authorize(self):
        if isinstance(self.access_token, str):
            return
        authorize_url = '%s%s?' % (self.auth_url, 'authorize')
        fields = {'client_id': self.client_id,
                  'redirect_uri': self.redirect_uri}
        params = _encode_params(**fields)
        webbrowser.open(authorize_url + params)

    def set_access_token(self, **token_dict):
        self.access_token = token_dict['access_token']
        self.uid = token_dict.get('uid', 0)
        current = int(time.time())
        self.expires = token_dict['expires_in'] + current
        return (self.access_token, self.expires)

    def request_access_token(self, code):
        fields = {'code': code, 'redirect_uri': self.redirect_uri, 'client_id': self.client_id,
                  'client_secret': self.client_secret, 'grant_type': 'authorization_code'}
        r = _http_post('%s%s' % (self.auth_url, 'access_token'), **fields)
        return self.set_access_token(**r)

    # def refresh_token(self, refresh_token):
    #     r = _http_post(req_str,
    #                    client_id=self.client_id,
    #                    client_secret=self.client_secret,
    #                    refresh_token=refresh_token,
    #                    grant_type='refresh_token')
    #     return self._parse_access_token(r)

    def is_expires(self):
        return not self.access_token or time.time() > self.expires

    def __getattr__(self, attr):
        if '__' in attr:
            return getattr(self.get, attr)
        return _Callable(self, attr)


class _Executable(object):

    def __init__(self, client, method, path):
        self._client = client
        self._method = method
        self._path = path

    def __call__(self, **kw):
        if self._method == _HTTP_POST and 'pic' in kw:
            self._method = _HTTP_POST_UPLOAD
        return _http_call('%s%s.json' % (self._client.api_url, self._path), self._method, self._client.access_token, **kw)

    def __str__(self):
        return '_Executable (%s %s)' % (self._method, self._path)

    __repr__ = __str__


class _Callable(object):

    def __init__(self, client, name):
        self._client = client
        self._name = name

    def __getattr__(self, attr):
        if attr == 'get':
            return _Executable(self._client, _HTTP_GET, self._name)
        if attr == 'post':
            return _Executable(self._client, _HTTP_POST, self._name)
        name = '%s/%s' % (self._name, attr)
        return _Callable(self._client, name)

    def __str__(self):
        return '_Callable (%s)' % self._name

    __repr__ = __str__


if __name__ == '__main__':
    pass

第二個(gè)文件:weiboAPP.py

#!/usr/bin/env python3
# -*- coding: utf-8 -*-

import weiboSDK

uid = 'xxxxxxxxxxx'
client_id = 'xxxxxxxxxxxxxx'
client_secret = 'xxxxxxxxxxxxxxxxxxxxxxxxxxxxx'

access_token = 'xxxxxxxxxxxxxxxxxxxxxxxxxx'
expires = 1672970161


if __name__ == '__main__':
    weibo = weiboSDK.APIClient(client_id, client_secret)

    if access_token is None:
        weibo.authorize()
        code = input("輸入從瀏覽器獲取的CODE:")
        accessTuple = weibo.request_access_token(code)
        print(accessTuple)
        access_token = accessTuple[0]
        expires = accessTuple[1]

    weibo.set_access_token(access_token=access_token, expires_in=expires)

    weibo.statuses.share.post(status='這條微博只是一個(gè)測(cè)試[doge]... http://www.reibang.com/p/d55b71e85bd0 ')

執(zhí)行效果如下:


發(fā)布成功.png
最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請(qǐng)聯(lián)系作者
  • 序言:七十年代末红符,一起剝皮案震驚了整個(gè)濱河市,隨后出現(xiàn)的幾起案子伐债,更是在濱河造成了極大的恐慌预侯,老刑警劉巖,帶你破解...
    沈念sama閱讀 207,113評(píng)論 6 481
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件峰锁,死亡現(xiàn)場(chǎng)離奇詭異萎馅,居然都是意外死亡,警方通過查閱死者的電腦和手機(jī)虹蒋,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 88,644評(píng)論 2 381
  • 文/潘曉璐 我一進(jìn)店門糜芳,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人魄衅,你說我怎么就攤上這事峭竣。” “怎么了晃虫?”我有些...
    開封第一講書人閱讀 153,340評(píng)論 0 344
  • 文/不壞的土叔 我叫張陵皆撩,是天一觀的道長(zhǎng)。 經(jīng)常有香客問我傲茄,道長(zhǎng)毅访,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 55,449評(píng)論 1 279
  • 正文 為了忘掉前任盘榨,我火速辦了婚禮喻粹,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘草巡。我一直安慰自己守呜,他們只是感情好型酥,可當(dāng)我...
    茶點(diǎn)故事閱讀 64,445評(píng)論 5 374
  • 文/花漫 我一把揭開白布。 她就那樣靜靜地躺著查乒,像睡著了一般弥喉。 火紅的嫁衣襯著肌膚如雪。 梳的紋絲不亂的頭發(fā)上玛迄,一...
    開封第一講書人閱讀 49,166評(píng)論 1 284
  • 那天由境,我揣著相機(jī)與錄音,去河邊找鬼蓖议。 笑死虏杰,一個(gè)胖子當(dāng)著我的面吹牛,可吹牛的內(nèi)容都是我干的勒虾。 我是一名探鬼主播纺阔,決...
    沈念sama閱讀 38,442評(píng)論 3 401
  • 文/蒼蘭香墨 我猛地睜開眼,長(zhǎng)吁一口氣:“原來是場(chǎng)噩夢(mèng)啊……” “哼修然!你這毒婦竟也來了笛钝?” 一聲冷哼從身側(cè)響起,我...
    開封第一講書人閱讀 37,105評(píng)論 0 261
  • 序言:老撾萬榮一對(duì)情侶失蹤愕宋,失蹤者是張志新(化名)和其女友劉穎玻靡,沒想到半個(gè)月后,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體中贝,經(jīng)...
    沈念sama閱讀 43,601評(píng)論 1 300
  • 正文 獨(dú)居荒郊野嶺守林人離奇死亡啃奴,尸身上長(zhǎng)有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點(diǎn)故事閱讀 36,066評(píng)論 2 325
  • 正文 我和宋清朗相戀三年,在試婚紗的時(shí)候發(fā)現(xiàn)自己被綠了雄妥。 大學(xué)時(shí)的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片最蕾。...
    茶點(diǎn)故事閱讀 38,161評(píng)論 1 334
  • 序言:一個(gè)原本活蹦亂跳的男人離奇死亡,死狀恐怖老厌,靈堂內(nèi)的尸體忽然破棺而出瘟则,到底是詐尸還是另有隱情,我是刑警寧澤枝秤,帶...
    沈念sama閱讀 33,792評(píng)論 4 323
  • 正文 年R本政府宣布醋拧,位于F島的核電站,受9級(jí)特大地震影響淀弹,放射性物質(zhì)發(fā)生泄漏丹壕。R本人自食惡果不足惜,卻給世界環(huán)境...
    茶點(diǎn)故事閱讀 39,351評(píng)論 3 307
  • 文/蒙蒙 一薇溃、第九天 我趴在偏房一處隱蔽的房頂上張望菌赖。 院中可真熱鬧,春花似錦沐序、人聲如沸琉用。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,352評(píng)論 0 19
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽(yáng)邑时。三九已至奴紧,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間晶丘,已是汗流浹背黍氮。 一陣腳步聲響...
    開封第一講書人閱讀 31,584評(píng)論 1 261
  • 我被黑心中介騙來泰國(guó)打工, 沒想到剛下飛機(jī)就差點(diǎn)兒被人妖公主榨干…… 1. 我叫王不留浅浮,地道東北人滤钱。 一個(gè)月前我還...
    沈念sama閱讀 45,618評(píng)論 2 355
  • 正文 我出身青樓,卻偏偏與公主長(zhǎng)得像脑题,于是被迫代替她去往敵國(guó)和親。 傳聞我的和親對(duì)象是個(gè)殘疾皇子铜靶,可洞房花燭夜當(dāng)晚...
    茶點(diǎn)故事閱讀 42,916評(píng)論 2 344