我有一个超过160.000网址的文件,其中我想要抓取一些信息。该脚本看起来大致如下:
htmlfile = urllib2.urlopen(line)
htmltext = htmlfile.read()
regexName = '"></a>(.+?)</dd><dt>'
patternName = re.compile(regexName)
name = re.findall(patternName,htmltext)
if name:
text = name[0]
else:
text = 'unknown'
nf.write(text)
哪个有效,但非常非常慢。刮掉所有160.000页需要四天多的时间。有什么建议可以加快速度吗?
答案 0 :(得分:3)
关于您的代码的一些建议:
编译正则表达式模式时,请确保也使用编译对象。并避免在每个处理循环中编译正则表达式。
pattern = re.compile('"></a>(.+?)</dd><dt>')
# ...
links = pattern.findall(html)
如果您想避免使用其他框架,那么最好的解决方案是加快速度,因此请使用标准线程库,以便多个HTTP连接并行
这样的事情:
from Queue import Queue
from threading import Thread
import urllib2
import re
# Work queue where you push the URLs onto - size 100
url_queue = Queue(10)
pattern = re.compile('"></a>(.+?)</dd><dt>')
def worker():
'''Gets the next url from the queue and processes it'''
while True:
url = url_queue.get()
print url
html = urllib2.urlopen(url).read()
print html[:10]
links = pattern.findall(html)
if len(links) > 0:
print links
url_queue.task_done()
# Start a pool of 20 workers
for i in xrange(20):
t = Thread(target=worker)
t.daemon = True
t.start()
# Change this to read your links and queue them for processing
for url in xrange(100):
url_queue.put("http://www.ravn.co.uk")
# Block until everything is finished.
url_queue.join()