22

我正在编写一个用于枚举站点域名的python 程序。例如,'a.google.com'。

首先,我使用该threading模块来执行此操作:

import string
import time
import socket
import threading
from threading import Thread
from queue import Queue

'''
enumerate a site's domain name like this:
1-9 a-z + .google.com
1.google.com
2.google.com
.
.
1a.google.com
.
.
zz.google.com

'''

start = time.time()
def create_host(char):
    '''
    if char is '1-9a-z'
    create char like'1,2,3,...,zz'
    '''
    for i in char:
        yield i
    for i in create_host(char):
        if len(i)>1:
            return False
        for c in char:
            yield c + i


char = string.digits + string.ascii_lowercase
site = '.google.com'


def getaddr():
    while True:
        url = q.get()
        try:
            res = socket.getaddrinfo(url,80)
            print(url + ":" + res[0][4][0])
        except:
            pass
        q.task_done()

NUM=1000  #thread's num
q=Queue()

for i in range(NUM):
    t = Thread(target=getaddr)
    t.setDaemon(True)
    t.start()

for host in create_host(char):
    q.put(host+site)
q.join()

end = time.time()

print(end-start)

'''
used time:
9.448670148849487
'''

后来,我读了一本书,它说在某些情况下协程比线程快。所以,我重写了要使用的代码asyncio

import asyncio
import string
import time


start = time.time()
def create_host(char):
    for i in char:
        yield i
    for i in create_host(char):
        if len(i)>1:
            return False
        for c in char:
            yield c + i


char = string.digits + string.ascii_lowercase
site = '.google.com'

@asyncio.coroutine
def getaddr(loop, url):
    try:
        res = yield from loop.getaddrinfo(url,80)
        print(url + ':' + res[0][4][0])
    except:
        pass

loop = asyncio.get_event_loop()
coroutines = asyncio.wait([getaddr(loop, i+site) for i in create_host(char)])
loop.run_until_complete(coroutines)

end = time.time()

print(end-start)


'''
time 
120.42313003540039
'''

为什么asyncio版本 getaddrinfo这么慢?我是否以某种方式滥用协程?

4

1 回答 1

33

首先,我无法重现几乎与您在我的 Linux 机器上看到的一样大的性能差异。我一直看到线程版本大约需要 20-25 秒,而版本大约需要 24-34 秒asyncio

现在,为什么更asyncio慢?有几件事促成了这一点。首先,asyncio版本必须按顺序打印,但线程版本不需要。打印是 I/O,所以 GIL 可以在它发生时释放。这意味着可能有两个或更多线程可以同时打印,尽管在实践中它可能不会经常发生,并且可能不会对性能产生太大影响。

其次,更重要的是,版本asyncio实际上getaddrinfo只是调用socket.getaddrinfoaThreadPoolExecutor

def getaddrinfo(self, host, port, *,
                family=0, type=0, proto=0, flags=0):
    if self._debug:
        return self.run_in_executor(None, self._getaddrinfo_debug,
                                    host, port, family, type, proto, flags)
    else:
        return self.run_in_executor(None, socket.getaddrinfo,
                                    host, port, family, type, proto, flags)

它为此使用默认值ThreadPoolExecutor它只有五个线程

# Argument for default thread pool executor creation.
_MAX_WORKERS = 5

对于这个用例,这几乎没有你想要的并行度。为了使其表现得更像threading版本,您需要使用ThreadPoolExecutor具有 1000 个线程的 a,通过将其设置为默认执行程序loop.set_default_executor

loop = asyncio.get_event_loop()
loop.set_default_executor(ThreadPoolExecutor(1000))
coroutines = asyncio.wait([getaddr(loop, i+site) for i in create_host(char)])
loop.run_until_complete(coroutines)

现在,这将使行为更等同于threading,但实际情况是您实际上并没有使用异步 I/O - 您只是在使用threading不同的 API。因此,您可以在这里做的最好的事情就是与threading示例相同的性能。

最后,您并没有在每个示例中真正运行等效代码 - 该threading版本正在使用一个共享 a 的工作人员池queue.Queue,而该asyncio版本正在为 url 列表中的每个项目生成一个协程。如果我使asyncio版本使用asyncio.Queue协程池,除了删除打印语句并创建更大的默认执行程序之外,我得到的两个版本的性能基本相同。这是新asyncio代码:

import asyncio
import string
import time
from concurrent.futures import ThreadPoolExecutor

start = time.time()
def create_host(char):
    for i in char:
        yield i
    for i in create_host(char):
        if len(i)>1:
            return False
        for c in char:
            yield c + i


char = string.digits + string.ascii_lowercase
site = '.google.com'

@asyncio.coroutine
def getaddr(loop, q):
    while True:
        url = yield from q.get()
        if not url:
            break
        try:
            res = yield from loop.getaddrinfo(url,80)
        except:
            pass

@asyncio.coroutine
def load_q(loop, q):
    for host in create_host(char):
        yield from q.put(host+site)
    for _ in range(NUM):
        yield from q.put(None)

NUM = 1000
q = asyncio.Queue()

loop = asyncio.get_event_loop()
loop.set_default_executor(ThreadPoolExecutor(NUM))
coros = [asyncio.async(getaddr(loop, q)) for i in range(NUM)]
loop.run_until_complete(load_q(loop, q))
loop.run_until_complete(asyncio.wait(coros))

end = time.time()

print(end-start)

每个的输出:

dan@dandesk:~$ python3 threaded_example.py
20.409344911575317
dan@dandesk:~$ python3 asyncio_example.py
20.39924192428589

但是请注意,由于网络,存在一些可变性。它们有时都会比这慢几秒钟。

于 2014-10-02T05:05:19.660 回答