轻量级爬虫

不需要登录

静态网页 -- 数据不是异步加载

爬虫:一段自动抓取互联网信息的程序

URL管理器

管理对象

将要抓取的url

已经抓取过的url

作用

防止重复抓取

防止循环抓取

实现方式:

1、内存

python内存

待爬取URL集合:set()

已爬取URL集合:set()

2、关系型数据库

MySQL

数据表urls(url, is_crawled)

3、缓存数据库

redis

待爬取URL集合:set()

已爬取URL集合:set()

网页下载器

将获取到的网页下载到本地进行分析的工具

类型

1、urllib2

Python 官方基础 展模块

2、requests

第三方包,更强大

urllib2下载网页

1、方法一:最简单的方法

import urllib2

# 直接请求

response = urllib2.urlopen('http://www.baidu.com')

# 获取状态码,如果是200表示获取成功

print response.getcode()

# 读取内容

cont = response.read()

2、方法二:添加data、http header

import urllib2

# 创建Request对象

request urllib2.Request(url)

# 添加数据

request.add_data('a', '1')

# 添加http的header, 模拟Mozilla浏览器

response.add_header('User-Agent', 'Mozilla/5.0')

3、方法三:添加特殊情景的处理器

HTTPCookieProcessor:对于需要用户登录的网页

ProxyHandler:对于需要代理才能访问的网页

HTTPSHandler:对于https协议的网页

HTTPRedirectHandler:对于设置了自动跳转的网页

import urllib2, cookielib

# 创建cookie容器

cj = cookielib.CookieJar()

# 创建1个opener

opener = urllib2.build_opener(urllib2.HTTPCookieProcessor(cj))

# 给urllib2安装opener

urllib2.install_opener(opener)

# 使用带有cookie的urllib2访问网页

response = urllib2.urlopen("http://www.baidu.com")

实例代码

# coding:utf8

import urllib2, cookielib

url = "http://www.baidu.com"

print("一种方法:")

response1 = urllib2.urlopen(url)

print(response1.getcode())

print(len(response1.read()))

print('第二种方法:')

request = urllib2.Request(url)

request.add_header("user-agent", 'Mozilla/5.0')

response1 = urllib2.urlopen(url)

print(response1.getcode())

print(len(response1.read()))

print('第三种方法:')

cj = cookielib.CookieJar()

opener = urllib2.build_opener(urllib2.HTTPCookieProcessor(cj))

urllib2.install_opener(opener)

response3 = urllib2.urlopen(request)

print(response3.getcode())

print(cj)

print(response3.read())

注:以上是Python2的写法,以下是Python3的写法

# coding:utf8

import urllib.request

import http.cookiejar

url = "http://www.baidu.com"

print("一种方法:")

response1 = urllib.request.urlopen(url)

print(response1.getcode())

print(len(response1.read()))

print('第二种方法:')

request = urllib.request.Request(url)

request.add_header("user-agent", 'Mozilla/5.0')

response1 = urllib.request.urlopen(url)

print(response1.getcode())

print(len(response1.read()))

print('第三种方法:')

cj = http.cookiejar.CookieJar()

opener = urllib.request.build_opener(urllib.request.HTTPCookieProcessor(cj))

urllib.request.install_opener(opener)

response3 = urllib.request.urlopen(request)

print(response3.getcode())

print(cj)

print(response3.read())

网页解析器

解析网页,从网页中提取有价值数据的工具

网页解析器(BeautifulSoup)

类型

1、正则表达式(模糊匹配)

2、html.parser(结构化解析)

3、Beautiful Soup(结构化解析)

4、lxml(结构化解析)

结构化解析-DOM(Document Object Model)树

安装并使用 Beautiful Soup4

1、安装

pip install beautifulsoup4

2、使用

创建BeautifulSoup对象

搜索节点(按节点名称、属性、文字)

find_all

find

访问节点

名称

属性

文字

(1)创建Beautiful Soup对象

from bs4 import BeautifulSoup

# 根据HTML网页字符串创建BeautifulSoup对象

soup = BeautifulSoup(

html_doc, # HTML文档字符串

'html.parser', # HTML解析器

from_encoding='utf8' # HTML文档的编码

)

(2)搜索节点(find_all,find)

# 方法:find_all(name, attrs, string)

# 查找所有标签为a的节点

soup.find_all('a')

# 查找所有标签为a,链接符合/view/123.html形式的节点

soup.find_all('a', href='/view/123.htm')

soup.find_all('a', href=re.compile(r'/view/\d+\.htm'))

# 查找所有标签为div,class为abs,文字为Python的节点

soup.find_all('div', class_='abc', string='Python')

用class_作为查询类属性的变量名,因为class本身是python的关键字,所以需要加一个下划线来区别

(3)访问节点信息

# 得到节点:Python

# 获取查找到的节点的标签名称

node.name

# 获取查找到的a节点的href属性

node['href']

# 获取查找到的a节点的链接文字

node.get_text()

3、实例

# coding:utf8

from bs4 import BeautifulSoup, re

html_doc = """

The Dormouse's story

The Dormouse's story

Once upon a time there were three little sisters; and their names were

Elsie,

Lacie and

Tillie;

and they lived at the bottom of a well.

...

"""

soup = BeautifulSoup(html_doc, 'html.parser')

print('获取所有的链接:')

links = soup.find_all('a')

for link in links:

print(link.name, link['href'], link.get_text())

print('获取lacie的链接:')

link_node = soup.find('a', href='http://example.com/lacie')

print(link_node.name, link_node['href'], link_node.get_text())

print('正则匹配:')

link_node = soup.find('a', href=re.compile(r"ill"))

print(link_node.name, link_node['href'], link_node.get_text())

print('获取p段落文字:')

p_node = soup.find('p', class_='title')

print(p_node.name, p_node.get_text())

执行后效果:

开发爬虫

分析目标

URL格式

数据格式

网页编码

1、目标: 百度百科Python词条相关词条网页 -- 标题和简介

2、入口页

https://baike.baidu.com/item/Python/407313

3、URL格式:

词条页面URL: /item/****

4、数据格式:

标题:

...

简介:

...

5、页面编码:UTF-8

项目目录结构

调度主程序

# coding:utf8

from baike_spider import url_manager, html_downloader, html_parser, html_outputer

class SpiderMain(object):

def __init__(self):

# url管理器

self.urls = url_manager.UrlManager()

# 下载器

self.downloader = html_downloader.HtmlDownloader()

# 解析器

self.parser = html_parser.HtmlParser()

# 输出器

self.outputer = html_outputer.HtmlOutputer()

# 爬虫的调度程序

def craw(self, root_url):

count = 1

self.urls.add_new_url(root_url)

while self.urls.has_new_url():

try:

if count == 1000:

break

new_url = self.urls.get_new_url()

print('craw %d : %s' % (count, new_url))

html_cont = self.downloader.download(new_url)

new_urls, new_data = self.parser.parse(new_url, html_cont)

self.urls.add_new_urls(new_urls)

self.outputer.collect_data(new_data)

count = count + 1

except:

print('craw failed')

self.outputer.output_html()

if __name__ == "__main__":

root_url = "https://baike.baidu.com/item/Python/407313"

obj_spider = SpiderMain()

obj_spider.craw(root_url)

URL管理器

# coding:utf8

class UrlManager(object):

def __init__(self):

self.new_urls = set()

self.old_urls = set()

def add_new_url(self, url):

if url is None:

return

if url not in self.new_urls and url not in self.old_urls:

self.new_urls.add(url)

def add_new_urls(self, urls):

if urls is None or len(urls) == 0:

return

for url in urls:

self.add_new_url(url)

def has_new_url(self):

return len(self.new_urls) != 0

def get_new_url(self):

new_url = self.new_urls.pop()

self.old_urls.add(new_url)

return new_url

网页下载器

# coding:utf8

import urllib.request

class HtmlDownloader(object):

def download(self, url):

if url is None:

return None

# request = urllib.request.Request(url)

# request.add_header("user-agent", 'Mozilla/5.0')

response = urllib.request.urlopen(url)

if response.getcode() != 200:

return None

return response.read()

网页解析器

# coding:utf8

from bs4 import BeautifulSoup, re

from urllib.parse import urljoin

class HtmlParser(object):

def _get_new_urls(self, page_url, soup):

new_urls = set()

links = soup.find_all('a', href=re.compile(r"/item/"))

for link in links:

new_url = link['href']

new_full_url = urljoin(page_url, new_url)

new_urls.add(new_full_url)

return new_urls

def _get_new_data(self, page_url, soup):

res_data = {}

res_data['url'] = page_url

title_node = soup.find('dd', class_='lemmaWgt-lemmaTitle-title').find('h1')

res_data['title'] = title_node.get_text()

summary_node = soup.find('div', class_='lemma-summary')

res_data['summary'] = summary_node.get_text()

return res_data

def parse(self, page_url, html_cont):

if page_url is None or html_cont is None:

return

soup = BeautifulSoup(html_cont, 'html.parser')

new_urls = self._get_new_urls(page_url, soup)

new_data = self._get_new_data(page_url, soup)

return new_urls, new_data

网页输出器

# coding:utf8

class HtmlOutputer(object):

def __init__(self):

self.datas = []

def collect_data(self, data):

if data is None:

return

self.datas.append(data)

def output_html(self):

fout = open('output.html', 'w')

fout.write('')

fout.write('

')

fout.write('

for data in self.datas:

fout.write('

')

fout.write('

%s' % data['url'])

fout.write('

%s' % data['title'].encode('utf-8'))

fout.write('

%s' % data['summary'].encode('utf-8'))

fout.write('

')

fout.write('

')

fout.write('')

fout.write('')

fout.close()

高级爬虫:

登录

验证码

Ajax

服务器防爬虫

多线程

分布式

python简单爬虫程序分析_Python简单爬虫相关推荐

  1. python网络爬虫程序技术_Python网络爬虫程序技术-中国大学mooc-题库零氪

    Python网络爬虫程序技术 - 中国大学mooc 已完结  94 项目1 爬取学生信息 1.2 Flask Web网站随堂测验 1.import flask app=flask.Flask(__n ...

  2. python的小程序分析_Python学习:JData入门小程序解析(续)

    接着上一篇文章: 第二个.py文件是explore_data.py 它实现的功能很简单,就是简单的处理NEW_USER_FILE,他的内容如下: user_id 用户ID 脱敏 age 年龄段 -1表 ...

  3. python网络爬虫程序_Python写的网络爬虫程序(很简单)

    Python写的网络爬虫程序(很简单) 这是我的一位同学传给我的一个小的网页爬虫程序,觉得挺有意思的,和大家分享一下.不过有一点需要注意,要用python2.3,如果用python3.4会有些问题出现 ...

  4. python队列来做什么_python分布式爬虫中的消息队列是什么?

    当排队等待人数过多的时候,我们需要设置一个等待区防止秩序混乱,同时再有新来的想要排队也可以呆在这个地方.那么在python分布式爬虫中,消息队列就相当于这样的一个区域,爬虫要进入这个区域找寻自己想要的 ...

  5. 爬虫python爬取页面请求_Python网络爬虫第三弹《爬取get请求的页面数据》

    一.urllib库 urllib是Python自带的一个用于爬虫的库,其主要作用就是可以通过代码模拟浏览器发送请求.其常被用到的子模块在Python3中的为urllib.request和urllib. ...

  6. python简单爬虫程序分析_[Python专题学习]-python开发简单爬虫

    掌握开发轻量级爬虫,这里的案例是不需要登录的静态网页抓取.涉及爬虫简介.简单爬虫架构.URL管理器.网页下载器(urllib2).网页解析器(BeautifulSoup) 一.爬虫简介以及爬虫的技术价 ...

  7. python爬虫程序说明_Python即时网络爬虫:API说明

    API说明--下载gsExtractor内容提取器 1,接口名称 下载内容提取器 2,接口说明 如果您想编写一个网络爬虫程序,您会发现大部分时间耗费在调测网页内容提取规则上,不讲正则表达式的语法如何怪 ...

  8. python 爬虫热搜_Python网络爬虫之爬取微博热搜

    微博热搜的爬取较为简单,我只是用了lxml和requests两个库 1.分析网页的源代码:右键--查看网页源代码. 从网页代码中可以获取到信息 (1)热搜的名字都在 的子节点里 (2)热搜的排名都在 ...

  9. python网络爬虫的特点_Python网络爬虫(一)- 入门基础

    目录: 网络爬虫(又被称为网页蜘蛛,网络机器人,在FOAF社区中间,更经常的称为网页追逐者),是一种按照一定的规则,自动地抓取万维网信息的程序或者脚本.另外一些不常使用的名字还有蚂蚁.自动索引.模拟程 ...

  10. python爬虫实践报告_Python网络爬虫从入门到实践

    本书讲解了如何使用Python编写网络爬虫,涵盖爬虫的概念.Web基础.Chrome.Charles和Packet Capture抓包.urllib.Requests请求库.lxml.Beautifu ...

最新文章

  1. android源码分析-深入MessageQueue
  2. IOS进阶之WKWebView
  3. 多进程与多线程的区别 - jihite
  4. Task 1 天池赛 - 二手车交易价格预测
  5. angularjs中state的参数4_一文梳理pytorch保存和重载模型参数攻略
  6. C++:23 再议const的用法(下)
  7. 安装开源 ITIL 门户 iTOP
  8. 【NOIP2013提高组T3】加分二叉树
  9. vSphere Replication:虚拟机的保护伞
  10. 【设计过程】.NET ORM FreeSql WhereDynamicFilter 动态表格查询功能
  11. mysql 密码注入_SQL注入原理——万能密码注入
  12. win10系统鼠标右键一直转圈的两种解决方法
  13. 整理2020智能车竞赛网站各分赛区报名情况
  14. java中多个if语句如何简化_8种if else语句简化方法
  15. python怎么撤销_用Python玩转微信(三)—— 查看撤回消息
  16. UE4 C++入门之路1-C++和蓝图的关系和介绍
  17. janusgraph源码分析1-下载编译启动 1
  18. BBEdit 14 for mac 大版本更新
  19. Git的简单使用——连接码云
  20. 第一年19元月租100g

热门文章

  1. 闲话复数(2)——欧拉公式
  2. Debian6.02 终端中文设置--FBTerm + ucimf
  3. mysql migration toolkit下载_MySQL Migration Toolkit
  4. CryEngine Plugin 创建
  5. Deep Learning 效率神器推荐
  6. 百度地图定位不准的问题
  7. 腾讯云游戏数据库 TcaplusDB 的一些常见问题的解答
  8. 基于Vue使用Arco Design组件封装一个七牛云上传图片的函数
  9. 网站分析工具深度讲解之访问来源统计(一)
  10. 冬季下肢静脉曲张如何治疗