微博自动发布气象数据(二)Python发布微博

在上一篇里面,通过Python简单的爬虫在网上获取了天气实况数据,这次想办法用Python把数据发布在微博上面,微博提供了这样的接口,我们所做的就是用Python实现和微博公共接口的对接。
在这之前我们需要访问微博 微博开放平台 来注册一个应用,这个完全是免费的。注册成功之后获得AppKeyApp Secret,这是非常重要的数据,在后面会用到。

注册应用.png

通过上面的keySecret,我们可以从新浪微博服务器获取一个最最关键的参数,就是access_token,这个参数表明我们通过了服务器认证,也就是说微博认为我们是拥有发布微博的权限的。
获取的方法大概是:
1、使用get方法访问新浪的OAuth认证页,需要传递的参数是AppKey和重定向地址,在通过验证之后,将重定向到我们提供的重定向地址,并提供给我们一个CODE参数的值。
2、发送post请求给微博服务器,包含以下参数:

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

收到返回值,一个就是access_token的值,另外一个expires是指access_token的超时时间,超时后需重新获取access_token
之后的工作就是调用接口发送数据了,当然,微博在这接口里面做出了很多限制,以前限制很少,现在用起来不那么舒服了:

限制.png

简易的代码如下:两个文件: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

第二个文件: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='这条微博只是一个测试[doge]... //www.greatytc.com/p/d55b71e85bd0 ')

执行效果如下:


发布成功.png
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 212,383评论 6 493
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,522评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 157,852评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,621评论 1 284
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,741评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,929评论 1 290
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,076评论 3 410
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,803评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,265评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,582评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,716评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,395评论 4 333
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,039评论 3 316
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,798评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,027评论 1 266
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,488评论 2 361
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,612评论 2 350