Python3 爬虫实战(并发爬取)
2018-06-18 03:00:25来源:未知 阅读 ()
1 背景
在这一系列开始前我们就说过,简单的爬虫很容易,但是要完成一个高效健壮的爬虫不是一个简单的事情,这一系列我们已经明白了爬虫相关的如下核心知识点。
基于上面这几篇其实我们把爬虫当作自己便利的开发工具来使用基本上是够了(譬如老板让你定期留意观察自己做的应用功能上线后的用户行为数据,方便开发把握功能潜在风险,这个其实我们就可以写个 Python 爬虫小程序去后台定期查,然后定期邮件发送到我的邮箱,这样就不用自己老记着这回事然后去上网页操作了),但是对于动态网页爬取我们还未探讨、对于爬取数据处理我们也没探讨、对于爬取性能问题我们也没探讨。。。我靠,还有很多东西等待我们去发掘,MLGB,那我们这一篇就先探讨下 Python 爬虫的并发爬取,其实就是 Python 的并发,呜呜!
之所以讨论这个话题是为了解决《Python3.X 爬虫实战(静态下载器与解析器)》一文中 LXml 解析爬取美图录美女图片网站的效率问题,你会发现我们上一篇中那个程序的执行效率非常低,爬取完那些妹子图需要很就,因为他们是顺序的,加上我们还没有对妹子图网站进行全站爬取,如果要全站爬取那就是个相当恐怖的事情了,不信我们可以通过《Python3.X 爬虫实战(先爬起来嗨)》一文介绍的 site 方式查看这个站点有多少页面可以爬取,如下:
这还不算特别多,但我们已经无法忍受这么慢的爬取速度了,所以我们就要想办法解决这个问题,也就是这一篇要探讨的问题,不过首先你得具备 Python 并发编程的基础,如果还不 OK 可以看看知乎上 Python 之美的 Python 并发编程系列文章,讲的不错,或者去看看 Python 核心编程一书。
2 Python 3.X 并发铺垫
其实这一小节没必要存在的,但是为了补全就列出来了(注意:如果自己具备并发基础就直接移步 Part3 并发爬虫实战)。对于程序的进程、线程关系及区别的概念其实是不区分具体编程语言的,也就说如果我们过去在计算机基础、Unix 高级 C 语言编程、Java 编程、Android 编程等学习过进程与线程的概念,那么 Python 的并发也就好理解了,唯一区别是他们的语法和 API 名字及用法不同而已。
Python3 使用 POSIX 兼容的(pthreads)线程,提供了多个多线程编程模块,譬如 _thread、threading、Queue、concurrent.futures 包等,其中 _thread、threading 允许我们创建管理线程,主要区别就是 _thread (以前 Python 中的 thread,Python3 中已经不能再使用 thread 模块,为了兼容 Python3 将它重命名为 _thread 了)只提供了基本的线程及锁支持;而 threading 提供了更加牛逼的线程管理机制;Queue 为我们提供了一个用于多线程共享数据的队列;concurrent.futures包从 Python3.2 开始被纳入了标准库,其提供的ThreadPoolExecutor 和 ProcessPoolExecutor 是对 threading 和 multiprocessing 的高级抽象,暴露统一的接口来方便实现异步调用。
2-1 Python 3.X _thread 模块
这是个备受大家抛弃的 Python 并发模块,在 Python 低版本中叫 thread,高版本为了兼容叫 _thread,但是不推荐使用了,具体不推荐的原因大致如下:
- _thread 模块的同步原语只有一个,比较弱,threading 却有很多;
- _thread 模块之后出现了更加高级的 threading,你说你选哪个呢;
- 不支持守护线程等,使用 _thread 模块对于进程该何时结束基本无法控制(主线程结束后所有线程被没有任何警告和清理的情况下强制结束),而 threading 模块基本可以保证重要子线程结束后才退出主线程;
说到底就是因为我是个渣渣,驾驭不了 _thread 模块,哈哈,所以我无耻的选择了 threading 模块;多说无用,直接给段代码演示下吧,这段代码在各种语言的多线程中都是经典,没啥特殊的,如下:
1 import _thread 2 import time 3 ''' 4 #Python学习交流群125240963每天更新资料视频、大牛解答 5 Python 3.X _thread 模块演示 Demo 6 当注释掉 self.lock.acquire() 和 self.lock.release() 后运行代码会发现最后的 count 为 467195 等随机值,并发问题。 7 当保留 self.lock.acquire() 和 self.lock.release() 后运行代码会发现最后的 count 为 1000000,锁机制保证了并发。 8 time.sleep(5) 就是为了解决 _thread 模块的诟病,注释掉的话子线程没机会执行了 9 ''' 10 class ThreadTest(object): 11 def __init__(self): 12 self.count = 0 13 self.lock = None 14 15 def runnable(self): 16 self.lock.acquire() 17 print('thread ident is '+str(_thread.get_ident())+', lock acquired!') 18 for i in range(0, 100000): 19 self.count += 1 20 print('thread ident is ' + str(_thread.get_ident()) + ', pre lock release!') 21 self.lock.release() 22 23 def test(self): 24 self.lock = _thread.allocate_lock() 25 for i in range(0, 10): 26 _thread.start_new_thread(self.runnable, ()) 27 28 if __name__ == '__main__': 29 test = ThreadTest() 30 test.test() 31 print('thread is running...') 32 time.sleep(5) 33 print('test finish, count is:' + str(test.count))
所以很直观的看见咯,确实值得唾弃,我们还是看看 threading 吧。
2-2 Python 3.X threading 模块
关于 threading 模块提供的对象其实我们可以直接看看 threading.py 源码的__all__
定义,里面有具体列举,如下:
1 __all__ = ['get_ident', 'active_count', 'Condition', 'current_thread', 2 'enumerate', 'main_thread', 'TIMEOUT_MAX', 3 'Event', 'Lock', 'RLock', 'Semaphore', 'BoundedSemaphore', 'Thread', 4 'Barrier', 'BrokenBarrierError', 'Timer', 'ThreadError', 5 'setprofile', 'settrace', 'local', 'stack_size']
看了这个定义和官网 API 后顺手搜到这篇文章不错(点我查看),感兴趣的可以自己去琢磨下咯,下面我们先给出 threading 模块下 Thread 类的一般用法,如下:
1 import threading 2 from threading import Thread 3 import time 4 ''' 5 Python 3.X threading 模块演示 Demo 6 #Python学习交流群125240963每天更新资料大牛指导 7 8 threading 的 Thread 类基本使用方式(继承重写 run 方法及直接传递方法) 9 ''' 10 class NormalThread(Thread): 11 ''' 12 重写类比 Java 的 Runnable 中 run 方法方式 13 ''' 14 def __init__(self, name=None): 15 Thread.__init__(self, name=name) 16 self.counter = 0 17 18 def run(self): 19 print(self.getName() + ' thread is start!') 20 self.do_customer_things() 21 print(self.getName() + ' thread is end!') 22 23 def do_customer_things(self): 24 while self.counter < 10: 25 time.sleep(1) 26 print('do customer things counter is:'+str(self.counter)) 27 self.counter += 1 28 29 30 def loop_runner(max_counter=5): 31 ''' 32 直接被 Thread 调用方式 33 ''' 34 print(threading.current_thread().getName() + " thread is start!") 35 cur_counter = 0 36 while cur_counter < max_counter: 37 time.sleep(1) 38 print('loop runner current counter is:' + str(cur_counter)) 39 cur_counter += 1 40 print(threading.current_thread().getName() + " thread is end!") 41 42 43 if __name__ == '__main__': 44 print(threading.current_thread().getName() + " thread is start!") 45 46 normal_thread = NormalThread("Normal Thread") 47 normal_thread.start() 48 49 loop_thread = Thread(target=loop_runner, args=(10,), name='LOOP THREAD') 50 loop_thread.start() 51 52 loop_thread.join() 53 normal_thread.join() 54 55 print(threading.current_thread().getName() + " thread is end!")
怎么样,最直接的感触就是再也不用像 _thread 那样让主线程预估结束时间等待子线程结束,使用 Thread 类以后直接可以使用 join 方式等待子线程结束,当然还有别的方式,自己可以琢磨;我们会发现其两种写法和 Java 线程非常类似,很棒,下面我们再给出简单的同步锁处理案例,如下:
''' Python 3.X threading 模块演示 Demo threading 锁同步机制 当注释掉 self.lock.acquire() 和 self.lock.release() 后运行代码会发现最后的 count 为 467195 等,并发问题。 当保留 self.lock.acquire() 和 self.lock.release() 后运行代码会发现最后的 count 为 1000000,锁机制保证了并发。 ''' import threading from threading import Thread class LockThread(Thread): count = 0 def __init__(self, name=None, lock=None): Thread.__init__(self, name=name) self.lock = lock def run(self): self.lock.acquire() print('thread is '+threading.current_thread().getName()+', lock acquired!') for i in range(0, 100000): LockThread.count += 1 print('thread is '+threading.current_thread().getName()+', pre lock release!') self.lock.release() if __name__ == '__main__': threads = list() lock = threading.Lock() for i in range(0, 10): thread = LockThread(name=str(i), lock=lock) thread.start() threads.append(thread) for thread in threads: thread.join() print('Main Thread finish, LockThread.count is:'+str(LockThread.count))
对于一般的并发同步使用 Lock 就足够了,简单吧,关于其他的锁机制(上面__all__
的定义)自己可以参考其他资料进行学习,这里点到为止,下面我们再来看看爬虫中常用的线程优先级队列,如下:
Python3 的 Queue 模块提供了同步、线程安全队列类,包括先入先出队列 Queue、后入先出队列 LifoQueue 和优先级队列 PriorityQueue,这些队列都实现了锁机制,可以在多线程中直接使用,也可以用这些队列来实现线程间的同步,下面给出一个简单但是经典的示例(生产消费者问题),如下:
1 from queue import Queue 2 from random import randint 3 from threading import Thread 4 from time import sleep 5 ''' 6 Python 3.X threading 与 Queue 结合演示 Demo 7 经典的并发生产消费者模型 8 ''' 9 10 class TestQueue(object): 11 def __init__(self): 12 self.queue = Queue(2) 13 14 def writer(self): 15 print('Producter start write to queue.') 16 self.queue.put('key', block=1) 17 print('Producter write to queue end. size is:'+str(self.queue.qsize())) 18 19 def reader(self): 20 value = self.queue.get(block=1) 21 print('Consumer read from queue end. size is:'+str(self.queue.qsize())) 22 23 def producter(self): 24 for i in range(5): 25 self.writer() 26 sleep(randint(0, 3)) 27 28 def consumer(self): 29 for i in range(5): 30 self.reader() 31 sleep(randint(2, 4)) 32 33 def go(self): 34 print('TestQueue Start!') 35 threads = [] 36 functions = [self.consumer, self.producter] 37 for func in functions: 38 thread = Thread(target=func, name=func.__name__) 39 thread.start() 40 threads.append(thread) 41 for thread in threads: 42 thread.join() 43 print('TestQueue Done!') 44 45 if __name__ == '__main__': 46 TestQueue().go()
可以看到,一般与爬虫相关常见和常用的 Python3 线程相关东西主要就上面这些,当然还有一些高端的用法和高端的线程类我们没有提到,这些需要我们自己去积累和依据自己爬虫需求选择合适的线程辅助类;这里我们篇幅有限不再展开,因为对于任何语言用好线程并发本来就是一个非常有深度的方向,涉及的问题也很多,但是对于一般业务来说上面的足矣。
2-3 Python 3.X 进程模块
上面我们介绍了 Python3 的 thread 并发相关基础,我们都知道除过多线程还有多进程,其内存空间划分等机制都是不一样的,这是在别的语言我们都知道的。然而在 Python 中如果我们想充分使用多核 CPU 资源,那就得使用多进程,Python 给我们提供了非常好用的多进程模块包 multiprocessing,其支持子进程、通信和共享数据等工具操作,非常棒。
下面先来看下 multiprocessing 的 Process 一般用法套路吧(其实完全类似 threading 用法,只不过含义和实质不同而已),如下:
1 import multiprocessing 2 import time 3 from multiprocessing import Process 4 ''' 5 Python 3.X multiprocess 模块演示 Demo 6 其实完全类似 threading 用法,只不过含义和实质不同而已 7 multiprocess 的 Process 类基本使用方式(继承重写 run 方法及直接传递方法) 8 ''' 9 class NormalProcess(Process): 10 def __init__(self, name=None): 11 Process.__init__(self, name=name) 12 self.counter = 0 13 14 def run(self): 15 print(self.name + ' process is start!') 16 self.do_customer_things() 17 print(self.name + ' process is end!') 18 19 def do_customer_things(self): 20 while self.counter < 10: 21 time.sleep(1) 22 print('do customer things counter is:'+str(self.counter)) 23 self.counter += 1 24 25 26 def loop_runner(max_counter=5): 27 print(multiprocessing.current_process().name + " process is start!") 28 cur_counter = 0 29 while cur_counter < max_counter: 30 time.sleep(1) 31 print('loop runner current counter is:' + str(cur_counter)) 32 cur_counter += 1 33 print(multiprocessing.current_process().name + " process is end!") 34 35 36 if __name__ == '__main__': 37 print(multiprocessing.current_process().name + " process is start!") 38 print("cpu count:"+str(multiprocessing.cpu_count())+", active chiled count:"+str(len(multiprocessing.active_children()))) 39 normal_process = NormalProcess("NORMAL PROCESS") 40 normal_process.start() 41 42 loop_process = Process(target=loop_runner, args=(10,), name='LOOP PROCESS') 43 loop_process.start() 44 45 print("cpu count:" + str(multiprocessing.cpu_count()) + ", active chiled count:" + str(len(multiprocessing.active_children()))) 46 normal_process.join() 47 loop_process.join() 48 print(multiprocessing.current_process().name + " process is end!")
怎么样,给出的两种 Process 使用方式很像上面的 Thread,只是含义和原理及内存概念有了区别。有了这个基础我们一样可以来看看 Process 的并发锁和多进程数据共享机制使用(与 Thread 的内存区别,任何语言通用),如下:
1 ''' 2 Python 3.X multiprocess 模块演示 Demo 3 4 multiprocess 锁同步机制及进程数据共享机制 5 当注释掉 self.lock.acquire() 和 self.lock.release() 后运行代码会发现最后的 count 为 467195 等,并发问题。 6 当保留 self.lock.acquire() 和 self.lock.release() 后运行代码会发现最后的 count 为 1000000,锁机制保证了并发。 7 ''' 8 import multiprocessing 9 from multiprocessing import Process 10 11 class LockProcess(Process): 12 def __init__(self, name=None, lock=None, m_count=None): 13 Process.__init__(self, name=name) 14 self.lock = lock 15 self.m_count = m_count 16 17 def run(self): 18 self.lock.acquire() 19 print('process is '+multiprocessing.current_process().name+', lock acquired!') 20 #性能问题,100000次循环,所以这里优化为先从多进程共享拿出来计算完再放回多进程共享 21 count = self.m_count.value; 22 for i in range(0, 100000): 23 count += 1 24 self.m_count.value = count 25 print('process is '+multiprocessing.current_process().name+', pre lock release!') 26 self.lock.release() 27 28 29 if __name__ == '__main__': 30 processes = list() 31 lock = multiprocessing.Lock() 32 m_count = multiprocessing.Manager().Value('count', 0) 33 34 for i in range(0, 10): 35 process = LockProcess(name=str(i), lock=lock, m_count=m_count) 36 process.start() 37 processes.append(process) 38 39 for process in processes: 40 process.join() 41 print('Main Process finish, LockProcess.count is:' + str(m_count.value))
哎呀呀,矫情一把,受不了自己,都和 threading 类似是一个套路,唯一区别都是以为线程和进程本质区别导致的,而使用方式却没区别,所以 multiprocessing 的 Queue 类似 threading 的,不再举例了,具体自己实战吧。
2-4 Python 3.X 并发池
从 Python 并发线程到并发进程一步一步走到这你会发现 Python 标准库给咱们提供的 _thread、threading 和 multiprocessing 模块是非常棒的,但是你有没有想过(在其他语言也会遇到,譬如 C\Java 等)在实际项目中大规模的频繁创建、销毁线程或者进程是一件非常消耗资源的事情,所以池的概念就这么诞生了(空间换时间)。好在 Python3.2 开始内置标准库为我们提供了 concurrent.futures 模块,模块包含了 ThreadPoolExecutor 和 ProcessPoolExecutor 两个类(其基类是 Executor 抽象类,不可直接使用),实现了对 threading 和 multiprocessing 的高级抽象,对编写线程池、进程池提供了直接的支持,我们只用将相应的 tasks 放入线程池、进程池中让其自动调度而不用自己去维护 Queue 来担心死锁问题。
先来看看线程池样例:
''' Python 3.X ThreadPoolExecutor 模块演示 Demo ''' import concurrent from concurrent.futures import ThreadPoolExecutor from urllib import request class TestThreadPoolExecutor(object): def __init__(self): self.urls = [ 'https://www.baidu.com/', 'http://blog.jobbole.com/', 'http://www.csdn.net/', 'https://juejin.im/', 'https://www.zhihu.com/' ] def get_web_content(self, url=None): print('start get web content from: '+url) try: headers = {"User-Agent": "Mozilla/5.0 (X11; Linux x86_64)"} req = request.Request(url, headers=headers) return request.urlopen(req).read().decode("utf-8") except BaseException as e: print(str(e)) return None print('get web content end from: ' + str(url)) def runner(self): thread_pool = ThreadPoolExecutor(max_workers=2, thread_name_prefix='DEMO') futures = dict() for url in self.urls: future = thread_pool.submit(self.get_web_content, url) futures[future] = url for future in concurrent.futures.as_completed(futures): url = futures[future] try: data = future.result() except Exception as e: print('Run thread url ('+url+') error. '+str(e)) else: print(url+'Request data ok. size='+str(len(data))) print('Finished!') if __name__ == '__main__': TestThreadPoolExecutor().runner()
再来看看进程池实例,如下:
1 ''' 2 Python 3.X ProcessPoolExecutor 模块演示 Demo 3 ''' 4 import concurrent 5 from concurrent.futures import ProcessPoolExecutor 6 from urllib import request 7 8 class TestProcessPoolExecutor(object): 9 def __init__(self): 10 self.urls = [ 11 'https://www.baidu.com/', 12 'http://blog.jobbole.com/', 13 'http://www.csdn.net/', 14 'https://juejin.im/', 15 'https://www.zhihu.com/' 16 ] 17 18 def get_web_content(self, url=None): 19 print('start get web content from: '+url) 20 try: 21 headers = {"User-Agent": "Mozilla/5.0 (X11; Linux x86_64)"} 22 req = request.Request(url, headers=headers) 23 return request.urlopen(req).read().decode("utf-8") 24 except BaseException as e: 25 print(str(e)) 26 return None 27 print('get web content end from: ' + str(url)) 28 29 def runner(self): 30 process_pool = ProcessPoolExecutor(max_workers=4) 31 futures = dict() 32 for url in self.urls: 33 future = process_pool.submit(self.get_web_content, url) 34 futures[future] = url 35 36 for future in concurrent.futures.as_completed(futures): 37 url = futures[future] 38 try: 39 data = future.result() 40 except Exception as e: 41 print('Run process url ('+url+') error. '+str(e)) 42 else: 43 print(url+'Request data ok. size='+str(len(data))) 44 print('Finished!') 45 46 if __name__ == '__main__': 47 TestProcessPoolExecutor().runner()
唉,任何编程语言都是互通的,真的是这样,你只要深入理解一门语言,其他的都很容易,要适应的只是语法;对于 Python 3 的并发其实还有很多知识点需要我们探索的,譬如异步 IO、各种特性锁等等,我们要依据自己的需求去选择使用合适的并发处理,只有这样才是最合适的,总之学习并发就一个套路—–实战观察思考。
3 并发爬虫实战
屌爆了吧,上面我们 BB 了那么多关于 Python 并发的东西(虽然很多没 BB 到,毕竟不是专门介绍 Python 3 并发的)就是为了特么的这个 Part 的实战爬虫例子,不然有啥意义呢,废话不多说了,我们之前写的爬虫都是单个主线程的,他们有个很要命的问题就是一旦一个链接爬取卡住不动了,其他就真的只能干瞪眼了,还有一个问题就是我的电脑这么牛逼为毛我的爬虫还是串行爬取那么慢,所以下面两个实例片段就是用来终结这两个诟病的。
3-1 多线程爬虫实战
啥都别和老夫说,上来就是干,上来就扔代码,别再告诉我用多线程演示了,直接上线程池,爬虫不多解释,具体看如下代码的注释或者自己跑一下就明白了。
1 import os 2 from concurrent.futures import ThreadPoolExecutor 3 from urllib import request 4 import re 5 from urllib.parse import urljoin 6 from bs4 import BeautifulSoup 7 ''' 8 使用单独并发线程池爬取解析及单独并发线程池存储解析结果示例 9 爬取百度百科Android词条简介及该词条链接词条的简介信息,将结果输出到当前目录下output目录 10 ''' 11 12 class CrawlThreadPool(object): 13 ''' 14 启用最大并发线程数为5的线程池进行URL链接爬取及结果解析; 15 最终通过crawl方法的complete_callback参数进行爬取解析结果回调 16 ''' 17 def __init__(self): 18 self.thread_pool = ThreadPoolExecutor(max_workers=5) 19 20 def _request_parse_runnable(self, url): 21 print('start get web content from: ' + url) 22 try: 23 headers = {"User-Agent": "Mozilla/5.0 (X11; Linux x86_64)"} 24 req = request.Request(url, headers=headers) 25 content = request.urlopen(req).read().decode("utf-8") 26 soup = BeautifulSoup(content, "html.parser", from_encoding='utf-8') 27 new_urls = set() 28 links = soup.find_all("a", href=re.compile(r"/item/\w+")) 29 for link in links: 30 new_urls.add(urljoin(url, link["href"])) 31 data = {"url": url, "new_urls": new_urls} 32 data["title"] = soup.find("dd", class_="lemmaWgt-lemmaTitle-title").find("h1").get_text() 33 data["summary"] = soup.find("div", class_="lemma-summary").get_text() 34 except BaseException as e: 35 print(str(e)) 36 data = None 37 return data 38 39 def crawl(self, url, complete_callback): 40 future = self.thread_pool.submit(self._request_parse_runnable, url) 41 future.add_done_callback(complete_callback) 42 43 44 class OutPutThreadPool(object): 45 ''' 46 启用最大并发线程数为5的线程池对上面爬取解析线程池结果进行并发处理存储; 47 ''' 48 def __init__(self): 49 self.thread_pool = ThreadPoolExecutor(max_workers=5) 50 51 def _output_runnable(self, crawl_result): 52 try: 53 url = crawl_result['url'] 54 title = crawl_result['title'] 55 summary = crawl_result['summary'] 56 save_dir = 'output' 57 print('start save %s as %s.txt.' % (url, title)) 58 if os.path.exists(save_dir) is False: 59 os.makedirs(save_dir) 60 save_file = save_dir + os.path.sep + title + '.txt' 61 if os.path.exists(save_file): 62 print('file %s is already exist!' % title) 63 return 64 with open(save_file, "w") as file_input: 65 file_input.write(summary) 66 except Exception as e: 67 print('save file error.'+str(e)) 68 69 def save(self, crawl_result): 70 self.thread_pool.submit(self._output_runnable, crawl_result) 71 72 73 class CrawlManager(object): 74 ''' 75 爬虫管理类,负责管理爬取解析线程池及存储线程池 76 ''' 77 def __init__(self): 78 self.crawl_pool = CrawlThreadPool() 79 self.output_pool = OutPutThreadPool() 80 81 def _crawl_future_callback(self, crawl_url_future): 82 try: 83 data = crawl_url_future.result() 84 for new_url in data['new_urls']: 85 self.start_runner(new_url) 86 self.output_pool.save(data) 87 except Exception as e: 88 print('Run crawl url future thread error. '+str(e)) 89 90 def start_runner(self, url): 91 self.crawl_pool.crawl(url, self._crawl_future_callback) 92 93 94 if __name__ == '__main__': 95 root_url = 'http://baike.baidu.com/item/Android' 96 CrawlManager().start_runner(root_url)
这效率比起该系列第一篇讲的百科爬虫简直高的不能再高了,嗖嗖的,输出结果部分截图如下:
3-2 多进程爬虫实战
啥也不多说,看完多线程爬虫的牛逼效率自然就该看多进程爬虫的牛逼之处了,也一样,别给我说啥概念,上面说的足够多了,下面撸起袖子就是上代码,也别问是啥爬虫,看注释就行,如下:
1 import os 2 from concurrent.futures import ProcessPoolExecutor 3 from urllib import request 4 import re 5 from urllib.parse import urljoin 6 from bs4 import BeautifulSoup 7 ''' 8 使用进程池爬取解析及存储解析结果示例 9 爬取百度百科Android词条简介及该词条链接词条的简介信息,将结果输出到当前目录下output目录 10 ''' 11 12 13 class CrawlProcess(object): 14 ''' 15 配合进程池进行URL链接爬取及结果解析; 16 最终通过crawl方法的complete_callback参数进行爬取解析结果回调 17 ''' 18 def _request_parse_runnable(self, url): 19 print('start get web content from: ' + url) 20 try: 21 headers = {"User-Agent": "Mozilla/5.0 (X11; Linux x86_64)"} 22 req = request.Request(url, headers=headers) 23 content = request.urlopen(req).read().decode("utf-8") 24 soup = BeautifulSoup(content, "html.parser", from_encoding='utf-8') 25 new_urls = set() 26 links = soup.find_all("a", href=re.compile(r"/item/\w+")) 27 for link in links: 28 new_urls.add(urljoin(url, link["href"])) 29 data = {"url": url, "new_urls": new_urls} 30 data["title"] = soup.find("dd", class_="lemmaWgt-lemmaTitle-title").find("h1").get_text() 31 data["summary"] = soup.find("div", class_="lemma-summary").get_text() 32 except BaseException as e: 33 print(str(e)) 34 data = None 35 return data 36 37 def crawl(self, url, complete_callback, process_pool): 38 future = process_pool.submit(self._request_parse_runnable, url) 39 future.add_done_callback(complete_callback) 40 41 42 class OutPutProcess(object): 43 ''' 44 配合进程池对上面爬取解析进程结果进行进程池处理存储; 45 ''' 46 def _output_runnable(self, crawl_result): 47 try: 48 url = crawl_result['url'] 49 title = crawl_result['title'] 50 summary = crawl_result['summary'] 51 save_dir = 'output' 52 print('start save %s as %s.txt.' % (url, title)) 53 if os.path.exists(save_dir) is False: 54 os.makedirs(save_dir) 55 save_file = save_dir + os.path.sep + title + '.txt' 56 if os.path.exists(save_file): 57 print('file %s is already exist!' % title) 58 return None 59 with open(save_file, "w") as file_input: 60 file_input.write(summary) 61 except Exception as e: 62 print('save file error.'+str(e)) 63 return crawl_result 64 65 def save(self, crawl_result, process_pool): 66 process_pool.submit(self._output_runnable, crawl_result) 67 68 69 class CrawlManager(object): 70 ''' 71 爬虫管理类,进程池负责统一管理调度爬取解析及存储进程 72 ''' 73 def __init__(self): 74 self.crawl = CrawlProcess() 75 self.output = OutPutProcess() 76 self.crawl_pool = ProcessPoolExecutor(max_workers=8) 77 self.crawl_deep = 100 #爬取深度 78 self.crawl_cur_count = 0 79 80 def _crawl_future_callback(self, crawl_url_future): 81 try: 82 data = crawl_url_future.result() 83 self.output.save(data, self.crawl_pool) 84 for new_url in data['new_urls']: 85 self.start_runner(new_url) 86 except Exception as e: 87 print('Run crawl url future process error. '+str(e)) 88 89 def start_runner(self, url): 90 if self.crawl_cur_count > self.crawl_deep: 91 return 92 self.crawl_cur_count += 1 93 self.crawl.crawl(url, self._crawl_future_callback, self.crawl_pool) 94 95 96 if __name__ == '__main__': 97 root_url = 'http://baike.baidu.com/item/Android' 98 CrawlManager().start_runner(root_url)
唉,效果就不多说了,和上面线程池爬取效果类似,只是换为了进程池爬取而已。
5 并发爬虫总结
啥都不说,这一篇一下搞得有点不像在介绍并发爬虫,而成了 Python3 并发编程基础了,坑爹啊,无论怎样最后我们还是给出了两个基于 Python3 线程池、进程池的并发爬虫小案例,麻雀虽小,五脏俱全。虽然本篇对并发爬虫(Python3 并发)没有进行深入介绍,但是基本目的达到了,关于并发深入学习不是一两天的功夫,并发在大型项目中是个很有学问的东西,要走的路还有很长,不过有了这篇的铺垫我们就可以自己去摸索分布式爬虫的基本原理,其实就是多进程爬虫,还有就是我们可以自己去摸索下 Python 的异步 IO 机制,那才是核心,那也不是一两篇就能说明白的东西。
标签:
版权申明:本站文章部分自网络,如有侵权,请联系:west999com@outlook.com
特别注意:本站所有转载文章言论不代表本站观点,本站所提供的摄影照片,插画,设计作品,如需使用,请与原作者联系,版权归原作者所有
下一篇:浅析ajax原理与用法
- python3基础之“术语表(2)” 2019-08-13
- python3 之 字符串编码小结(Unicode、utf-8、gbk、gb2312等 2019-08-13
- Python3安装impala 2019-08-13
- 小白如何入门 Python 爬虫? 2019-08-13
- python day2-爬虫实现github登录 2019-08-13
IDC资讯: 主机资讯 注册资讯 托管资讯 vps资讯 网站建设
网站运营: 建站经验 策划盈利 搜索优化 网站推广 免费资源
网络编程: Asp.Net编程 Asp编程 Php编程 Xml编程 Access Mssql Mysql 其它
服务器技术: Web服务器 Ftp服务器 Mail服务器 Dns服务器 安全防护
软件技巧: 其它软件 Word Excel Powerpoint Ghost Vista QQ空间 QQ FlashGet 迅雷
网页制作: FrontPages Dreamweaver Javascript css photoshop fireworks Flash