今天突发奇想,想要爬取一下知乎专栏文章的标题和链接,看看某个作者到底在这大几百几千篇文章中写了什么。
1. 观察网页
以https://zhuanlan.zhihu.com/c_1034016963944755200为例,我们所需要的每篇文章的所有信息,都被分别包括在一个类名为 ContentItem ArticleItem 的 div 标签对中: data:image/s3,"s3://crabby-images/95108/951082584ab8b35ee2cc6110d31a78178d37fb4c" alt="在这里插入图片描述"
更准确的说,是一个类名为 ContentItem-title 的 <h2></h2> 标题元素中: data:image/s3,"s3://crabby-images/bb9b3/bb9b383cf44e96084089bf61018b8e444625eb29" alt="在这里插入图片描述"
此外,还发现知乎专栏并不是一次性加载完该专栏的所有文章,而是随着侧滑栏向下滑动而逐渐加载,滑动到底部时以每10篇文章为单位进行加载,并在HTML文档中生成新的 <div></div> 元素: data:image/s3,"s3://crabby-images/282fc/282fcc97628384239bd78e1d56d72bd24adb5eb8" alt="在这里插入图片描述" 这就有点麻烦了,不过也不算太难。进一步观察发现,每次加载新文章时会发送一个 GET 请求,返回的是JSON数据: data:image/s3,"s3://crabby-images/0d70c/0d70ca3eab90a684f3550aa2ff028ab25bf86f4a" alt="在这里插入图片描述"
其中包含了我们想要的所有信息,包括文章标题、链接、摘要、作者等等: data:image/s3,"s3://crabby-images/5be45/5be45ff6a356da0223e647d766bf736f73891193" alt="在这里插入图片描述"
因此我们只需要不断请求这些JSON数据,进行解析得到结果,最后写入文件即可。
2. 实际代码
代码如下,就不仔细讲解了,反正很简单:
import os
import time
import requests
import csv
zhihuColumn = "c_1034016963944755200"
startURL = "https://www.zhihu.com/api/v4/columns/" + zhihuColumn + "/items?limit=10&offset={}"
headers = {"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:91.0) Gecko/20100101 Firefox/91.0"}
def getJSON(url):
try:
r = requests.get(url, headers = headers)
r.raise_for_status()
r.encoding = r.apparent_encoding
return r.json()
except Exception as ex:
print(type(ex))
time.sleep(10)
return getJSON(url)
def process(total):
num = 0
if (os.path.exists("zhihu.csv")):
os.remove("zhihu.csv")
with open("zhihu.csv", "a", encoding = "UTF-8", newline = '') as f:
writer = csv.writer(f)
writer.writerow(["编号", "标题", "链接"])
for offset in range(0, total, 10):
jsonData = getJSON(startURL.format(offset))
items = jsonData["data"]
for item in items:
num = num + 1
writer.writerow([num, item["title"], item["url"]])
if __name__ == "__main__":
jsonData = getJSON(startURL.format(0))
process(jsonData["paging"]["totals"])
3. 运行效果
data:image/s3,"s3://crabby-images/c09e1/c09e130f21326833b37e34fe0cc3b57ca1946194" alt="在这里插入图片描述"
|