为什么python 3.6的aiohttp循环只会在很多时候给出相同的结果?

时间:2017-07-10 07:51:49

标签: python python-3.x python-asyncio aiohttp

我想使用aiohttp作为简单的http服务器来响应客户端的http get结果:
客户端发送这样的http获取请求 curl 'http://localhost:8081/query=192.168.1.1,18.9.8.1,10.3.4.5'
那么我的简单服务器响应就像这样的结果 [{'ip': '192.168.1.1'}, {'ip': '18.9.8.1'}, {'ip': '10.3.4.5''}]
但实际上响应循环10.3.4.5 3次,很奇怪:
[{'ip': '10.3.4.5'}, {'ip': '10.3.4.5'}, {'ip': '10.3.4.5'}]
我的代码如下:

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


import asyncio
from aiohttp import web


async def index(request):
    await asyncio.sleep(0)
    return web.Response(body=b'''Usage Example: curl "http://xxxx/query=ip1[,ip2...]" ''')

async def query(request):
    await asyncio.sleep(0)
    ip_list = list(request.match_info['many_ip'].split(','))
    text=[]
    # d={"ip":None,"problem_appearance":"cpu.idle <= 10%","problem_rootcase":"来自10.1.1.2的如下慢SQL导致","begin_time":"2017-07-07 10:59:00","end_time":"2017-07-07 11:00:00","suggest_solution":"null"}
    d={"ip":None}
    for ip in ip_list:
        d["ip"]=ip
        print(d)
        text.append(d)

    print(text)
    return web.Response(body=str(text))

async def init(loop):
    port='8081'
    app = web.Application(loop=loop)
    app.router.add_route('GET', '/', index)
    app.router.add_route('GET', '/query={many_ip}', query)
    srv = await loop.create_server(app.make_handler(), '127.0.0.1', port)
    print('Server started at http://127.0.0.1:{port}...'.format(port=port))
    return srv

loop = asyncio.get_event_loop()
loop.run_until_complete(init(loop))
loop.run_forever()

1 个答案:

答案 0 :(得分:3)

变量d包含字典的引用(“指针”)。 text.append(d)语句只是将相同字典的引用添加到列表中。因此,在N次迭代之后,您对列表中的d具有N个相同的引用。

如果你改变你的循环:

for ip in ip_list:
    d["ip"]=ip
    text.append(d)
    print(text)

你应该在控制台上看到:

[{'ip': '192.168.1.1'}]
[{'ip': '18.9.8.1'}, {'ip': '18.9.8.1'}]
[{'ip': '10.3.4.5'}, {'ip': '10.3.4.5'}, {'ip': '10.3.4.5'}]

这是因为d是一个引用,当您通过引用更改某些内容时,您可以在使用相同引用的任何位置更改它。

要解决您的问题,您应该写下这样的内容:

for ip in ip_list:
    d = {"ip" : ip}
    print(d)
    text.append(d)

在这种情况下,在每次迭代中,它都会创建一个新字典,并将对它的引用保存到d

如果您需要使用已在循环外部创建的d,则应使用字典的copy()方法。它创建了d中保存的字典的浅表副本(有关浅层和深层副本的更多信息,请参见此处:Understanding dict.copy() - shallow or deep?)。