本文以爬取百度首页为示例来学习,python版本为python3.6.7,完整代码会在文章末附上
本次学习所用到的python框架:
urllib.request
本次学习所用到的函数: urllib.request.urlopen():发送http的get请求 .read():读取抓到的内容 .decode("utf-8"):将获取的betys格式数据转换为string格式数据
1.发送http的get请求使用的函数urllib.request.urlopen() ,其返回内容是所请求的url的网页源代码 可以将返回的内容赋给另外一个key
例如 response = urllib.request.urlopen(url)
data:image/s3,"s3://crabby-images/e5880/e588026c08f89d3615cab1911f53add67259a9ca" alt=""
代码执行结果:
data:image/s3,"s3://crabby-images/fb4db/fb4dbcb1ae503bbcf2a6490b7d6637300c9ed4e1" alt=""
好像是存在内存里,这应该展示的是一个内存地址。
2.我们需要将内容读出来就用到了有一个函数.read()
data = response.read() `将response的内容读出来赋值给data
data:image/s3,"s3://crabby-images/15e86/15e8621ae6c9e8d83e5f5899dd190ccc0db5d4b2" alt=""
代码执行结果:获取的数据类型为bytes,没有可读性哈
data:image/s3,"s3://crabby-images/d1181/d11812f57b0d2e7a90007e7f843a272610c43859" alt=""
3.需要进行转换将data转换成字符串类型,用到函数.decode("utf-8")
str_data = data.decode("utf-8")
data:image/s3,"s3://crabby-images/4a7ac/4a7ac7f41c3f3742e3dd76bb26bf46407da67774" alt=""
代码执行结果:【ps:将上面的https改为http】不截图了这里就能打印出url所对应的网页源代码了
4.接下来是数据持久化的问题【固定格式记住就行了】
data:image/s3,"s3://crabby-images/0c174/0c1742aa33638a76737c7546b8d342e37ae61b85" alt=""
代码运行会生成一个baidu.html保存的是上面搜抓取的内容。
可以本地运行会[做运维的小年轻]打开一个浏览器页面:
data:image/s3,"s3://crabby-images/02c2b/02c2be93f8e64ff0dc9a17ed09e83f49defd4497" alt=""
5.那我们在爬虫的时候也会有需求,将字符串转换为你bytes格式,这就需要用到函数.encode
data:image/s3,"s3://crabby-images/94741/94741f5f34184887a15e16494d5f307b3cd31b15" alt=""
代码运行结果:
data:image/s3,"s3://crabby-images/8b6cf/8b6cffd0074e00d044a5da7d7565dd565a6b0380" alt=""
Python爬取到的数据类型一般有两种:str 、bytes
如果是爬取回来的是bytes类型,但是需要写入的是str类型用到的就是第4条的.decode(utf-8)
如果爬取回来的是str类型,但是需要写入的是bytes类型用到的就是第5条对的.encode(utf-8)
完整代码:
# -*- coding:utf-8 -*- import urllib.request def load_data(): url = "http://www.baidu.com/" #发送http的get请求的函数 urllib.request.urlopen() 其返回内容是所请求url的网页源代码 #将返回的内容赋值给response response = urllib.request.urlopen(url) #print(response) #读取内容 运行之后发现返回数据类型为bytes类型[做运维的小年轻] data = response.read() #print(data) # 将获取的数据类型为bytes的数据data 转换成字符串类型 str_data = data.decode("utf-8") #print(str_data) #数据持久化,即写入文件 with open("baidu.html","w",encoding="utf-8")as f: f.write(str_data) load_data()