美文网首页
aiohttp库简单教程

aiohttp库简单教程

作者: Yznx_请叫我小哥 | 来源:发表于2019-12-06 11:07 被阅读0次

    本文首发:aiohttp简单教程

    aiohttp库的使用

    什么是aiohttp?

    aiohttp_logo

    Asynchronous HTTP Client/Server for asyncio and Python.

    用于asyncio和Python的异步HTTP客户端/服务器。

    安装与使用

    install

    pip install aiohttp 
    

    简单实例使用

    aiohttp的自我介绍中就包含了客户端和服务器端,所以我们分别来看下客户端和服务器端的简单实例代码。

    客户端:

    import aiohttp
    import asyncio
    
    async def fetch(session, url):
        async with session.get(url) as response:
            return await response.text()
    
    
    async def main():
        async with aiohttp.ClientSession() as session:
            html = await fetch(session, "http://httpbin.org/headers")
            print(html)
    
    asyncio.run(main())
    
    
    """输出结果:
    {
      "headers": {
        "Accept": "*/*", 
        "Accept-Encoding": "gzip, deflate", 
        "Host": "httpbin.org", 
        "User-Agent": "Python/3.7 aiohttp/3.6.2"
      }
    }
    """
    

    这个代码是不是很简单,一个函数用来发起请求,另外一个函数用来下载网页。

    服务器端

    from aiohttp import web
    
    
    async def handle(request):
        name = request.match_info.get('name', "Anonymous")
        text = "Hello, " + name
        return web.Response(text=text)
    
    app = web.Application()
    app.add_routes([web.get('/', handle),
                    web.get('/{name}', handle)])
    
    if __name__ == '__main__':
        web.run_app(app)
    

    运行这个代码,然后访问http://127.0.0.1:8080就可以看到你的网站了,很 基础的一个网页,你可以在后面跟上你的名字。

    这是两个简单的关于aiohttp的使用示例,下面快速开始。

    入门

    简单示范

    首先是学习客户端,也就是用来发送http请求的用法。首先看一段代码,会在代码中讲述需要注意的地方:

    import aiohttp
    import asyncio
    
    async def main():
        async with aiohttp.ClientSession() as session:
            async with session.get('http://httpbin.org/get') as resp:
                print(resp.status)
                print(await resp.text())
    
    asyncio.run(main())
    

    代码解释:

    在网络请求中,一个请求就是一个会话,然后aiohttp使用的是ClientSession来管理会话,所以第一个重点,看一下ClientSession:

    class ClientSession:
        """First-class interface for making HTTP requests."""
    

    在源码中,这个类的注释是使用HTTP请求接口的第一个类。然后上面的代码就是实例化一个ClientSession类然后命名为session,然后用session去发送请求。这里有一个坑,那就是ClientSession.get()协程的必需参数只能是str类和yarl.URL的实例。

    当然这只是get请求,其他的post、put都是支持的:

    session.put('http://httpbin.org/put', data=b'data')
    session.delete('http://httpbin.org/delete')
    session.head('http://httpbin.org/get')
    session.options('http://httpbin.org/get')
    session.patch('http://httpbin.org/patch', data=b'data')
    

    在URL中传递参数

    有时候在发起网络请求的时候需要附加一些参数到url中,这一点也是支持的。

    params = {'key1': 'value1', 'key2': 'value2'}
    async with session.get('http://httpbin.org/get',
                           params=params) as resp:
        expect = 'http://httpbin.org/get?key2=value2&key1=value1'
        assert str(resp.url) == expect
    

    我们可以通过params参数来指定要传递的参数,

    同时如果需要指定一个键对应多个值的参数,那么MultiDict就在这个时候起作用了。你可以传递两个元祖列表来作为参数:

    params = [('key', 'value1'), ('key', 'value2')]
    async with session.get('http://httpbin.org/get',
                           params=params) as r:
        expect = 'http://httpbin.org/get?key=value2&key=value1'
        assert str(r.url) == expect
    

    当然也可以之间传递一个str类型的数据到url中,但是这个时候需要注意的就是传递的字符串类型中最好是都可以被编码的。

    async with session.get('http://www.yznx.xyz', params='/index.php/2019/09/02/使用flask-mail和实现邮箱激活账户/') as resp:
    

    我这里用了一个自己的博客文章做示例,aiohttp在发送请求的时候域名部分会用IDNA 编码,路径和查询条件会重新编译,编译后的路径大概是这样:

    http://www.yznx.xyz/?/index.php/2019/09/02/%E4%BD%BF%E7%94%A8flask-mail%E5%92%8C%E5%AE%9E%E7%8E%B0%E9%82%AE%E7%AE%B1%E6%BF%80%E6%B4%BB%E8%B4%A6%E6%88%B7/=
    

    读取响应内容

    我们可以读取到服务器的响应状态和响应内容,这也是使用请求的一个很重要的部分。通过status来获取响应状态码,text()来获取到响应内容,当然也可以之计指明编码格式为你想要的编码格式:

    async def main():
        async with aiohttp.ClientSession() as session:
            async with session.get('http://httpbin.org/get') as resp:
                print(resp.status)
                print(await resp.text(encoding=utf-8))
                
    """输出结果:
    200
    <!doctype html>
    <html lang="zh-CN">
    <head>
    ......
    
    """
    

    非文本内容格式

    对于网络请求,有时候是去访问一张图片,这种返回值是二进制的也是可以读取到的:

    await resp.read()
    

    text()方法换成read()方法就好。

    获取请求信息

    ClientResponse(客户端响应)对象含有request_info(请求信息),主要是urlheaders信息。 raise_for_status结构体上的信息会被复制给ClientResponseError实例。

    请求的自定义

    自定义Headers

    有时候做请求的时候需要自定义headers,主要是为了让服务器认为我们是一个浏览器。然后就需要我们自己来定义一个headers:

    headers = {
            "User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) "
                          "AppleWebKit/537.36 (KHTML, like Gecko)"
                          " Chrome/78.0.3904.108 Safari/537.36"
        }
    await session.post(url, headers=headers)
    

    自定义cookie

    发送你自己的cookies给服务器,你可以为ClientSession对象指定cookies参数:

    url = 'http://httpbin.org/cookies'
    cookies = {'cookies_are': 'working'}
    async with ClientSession(cookies=cookies) as session:
        async with session.get(url) as resp:
            assert await resp.json() == {
               "cookies": {"cookies_are": "working"}}
    

    使用代理

    有时候在写爬虫的时候需要使用到代理,所以aiohttp也是支持使用代理的,我们可以在发起请求的时候使用代理,只需要使用关键字proxy来指明就好,但是有一个很难受的地方就是它只支持http代理,不支持HTTPS代理。使用起来大概是这样:

        proxy = “http://127.0.0.1:10809” 
        async with aiohttp.ClientSession(headers=headers) as session:
            async with session.get(url=login_url, proxy=proxy) as response:
                resu = await response.text()
    

    使用起来大概是这样,然后代理记得改成自己的。

    和asyncio结合使用

    其实aiohttp最适合的伴侣就是asyncio,这两个结合起来使用是最好不过的了。然后这里我就写一个简单的实例代码来对比一下。同步和异步的差别。

    示例代码

    示例就简单的用豆瓣电影吧,这是我从开始学习爬虫就一直练习的网站。然后写一些基本需要使用到的库:

    • lxml
    • requests
    • datetime
    • asyncio
    • aiohttp

    然后需要大家安装好这些库,然后提取网页内容使用的是xpath

    同步

    其实同步写了很多次了,然后把之前的代码放上来就好:

    from datetime import datetime
    
    import requests
    from lxml import etree
    
    headers = {"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit"
                             "/537.36 (KHTML, like Gecko) "
                             "Chrome/72.0.3626.121 Safari/537.36"}
    
    
    def get_movie_url():
        req_url = "https://movie.douban.com/chart"
        response = requests.get(url=req_url, headers=headers)
        html = etree.HTML(response.text)
        movies_url = html.xpath(
            "//*[@id='content']/div/div[1]/div/div/table/tr/td/a/@href")
        return movies_url
    
    
    def get_movie_content(movie_url):
        response = requests.get(movie_url, headers=headers)
        result = etree.HTML(response.text)
        movie = dict()
        name = result.xpath('//*[@id="content"]/h1/span[1]//text()')
        author = result.xpath('//*[@id="info"]/span[1]/span[2]//text()')
        movie["name"] = name
        movie["author"] = author
        return movie
    
    
    if __name__ == '__main__':
        start = datetime.now()
        movie_url_list = get_movie_url()
        movies = dict()
        for url in movie_url_list:
            movies[url] = get_movie_content(url)
        print(movies)
        print("同步用时为:{}".format(datetime.now() - start))
    
    

    看一下同步的结果:

    E:\venv\spider\Scripts\python.exe E:/python_project/filetest/douban.py
    [{'name': ['小丑 Joker'], 'author': ['托德·菲利普斯']}, {'name': ['好莱坞往事 Once Upon a Time... in Hollywood'], 'author': ['昆汀·塔伦蒂诺']}, {'name': ['爱尔兰人 The Irishman'], 'author': ['马丁·斯科塞斯']}, {'name': ['准备好了没 Ready or Not'], 'author': ['马特·贝蒂内利-奥尔平', ' / ', '泰勒·吉勒特']}, {'name': ['82年生的金智英 82년생 김지영'], 'author': ['金度英']}, {'name': ['克劳斯:圣诞节的秘密 Klaus'], 'author': ['塞尔希奥·巴勃罗斯', ' / ', '卡洛斯·马丁内斯·洛佩斯']}, {'name': ['寄生虫 기생충'], 'author': ['奉俊昊']}, {'name': ['骡子 The Mule'], 'author': ['克林特·伊斯特伍德']}, {'name': ['别告诉她 The Farewell'], 'author': ['王子逸']}, {'name': ['犯罪现场 犯罪現場'], 'author': ['冯志强']}]
    同步用时为:0:00:08.765342
    
    Process finished with exit code 0
    

    异步

    异步也很简单,关于异步的文章我还在整理,因为涉及到太多的东西了。先看这个爬虫代码:

    import asyncio
    from datetime import datetime
    
    import aiohttp
    from lxml import etree
    headers = {"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit"
                             "/537.36 (KHTML, like Gecko) "
                             "Chrome/72.0.3626.121 Safari/537.36"}
    
    
    async def get_movie_url():
        req_url = "https://movie.douban.com/chart"
        async with aiohttp.ClientSession(headers=headers) as session:
            async with session.get(url=req_url, headers=headers) as response:
                result = await response.text()
                result = etree.HTML(result)
            return result.xpath("//*[@id='content']/div/div[1]/div/div/table/tr/td/a/@href")
    
    
    async def get_movie_content(movie_url):
        async with aiohttp.ClientSession(headers=headers) as session:
            async with session.get(url=movie_url, headers=headers) as response:
                result = await response.text()
                result = etree.HTML(result)
            movie = dict()
            name = result.xpath('//*[@id="content"]/h1/span[1]//text()')
            author = result.xpath('//*[@id="info"]/span[1]/span[2]//text()')
            movie["name"] = name
            movie["author"] = author
        return movie
    
    if __name__ == '__main__':
        start = datetime.now()
        loop = asyncio.get_event_loop()
        movie_url_list = loop.run_until_complete(get_movie_url())
        tasks = [get_movie_content(url) for url in movie_url_list]
        movies = loop.run_until_complete(asyncio.gather(*tasks))
        print(movies)
        print("异步用时为:{}".format(datetime.now() - start))
    
    

    看一下结果,你就知道差距了:

    E:\venv\spider\Scripts\python.exe E:/python_project/filetest/aio_douban.py
    [{'name': ['小丑 Joker'], 'author': ['托德·菲利普斯']}, {'name': ['好莱坞往事 Once Upon a Time... in Hollywood'], 'author': ['昆汀·塔伦蒂诺']}, {'name': ['爱尔兰人 The Irishman'], 'author': ['马丁·斯科塞斯']}, {'name': ['准备好了没 Ready or Not'], 'author': ['马特·贝蒂内利-奥尔平', ' / ', '泰勒·吉勒特']}, {'name': ['82年生的金智英 82년생 김지영'], 'author': ['金度英']}, {'name': ['克劳斯:圣诞节的秘密 Klaus'], 'author': ['塞尔希奥·巴勃罗斯', ' / ', '卡洛斯·马丁内斯·洛佩斯']}, {'name': ['寄生虫 기생충'], 'author': ['奉俊昊']}, {'name': ['骡子 The Mule'], 'author': ['克林特·伊斯特伍德']}, {'name': ['别告诉她 The Farewell'], 'author': ['王子逸']}, {'name': ['犯罪现场 犯罪現場'], 'author': ['冯志强']}]
    异步用时为:0:00:02.230956
    
    Process finished with exit code 0
    

    总结

    异步是未来,这一点毋庸置疑。写了一点aiohttp库的基础使用,关于更多高级用法建议拜读参考文章中的文章。

    参考文章

    相关文章

      网友评论

          本文标题:aiohttp库简单教程

          本文链接:https://www.haomeiwen.com/subject/ikwsgctx.html