scrapy入门(深入)

打印 上一主题 下一主题

主题 961|帖子 961|积分 2883

Scrapy框架简介


Scrapy是:由Python语言开辟的一个快速、高层次的屏幕抓取和web抓取框架,用于抓取web站点并从页面中提取布局化的数据,只需要实现少量的代码,就可以或许快速的抓取。

  • 新建项目 (scrapy startproject xxx):新建一个新的爬虫项目
  • 明确目标 (编写items.py):明确你想要抓取的目标
  • 制作爬虫 (spiders/xxspider.py):制作爬虫开始爬取网页
  • 存储内容 (pipelines.py):设计管道存储爬取内容
注意!只有当调度器中不存在任何request了,整个步伐才会停止,(也就是说,对于下载失败的URL,Scrapy也会重新下载。)
本篇文章不会讲基本项目创建,创建的话可以移步这个文章,底子的肯定没什么重要性,这篇说明一下一些比较细的知识
Scrapy 官网:https://scrapy.org/
Scrapy 文档:https://docs.scrapy.org/en/latest/
GitHub:https://github.com/scrapy/scrapy/
基本布局



定义爬取的数据布局


  • 首先在items中定义一个需要爬取的数据布局
    1. class ScrapySpiderItem(scrapy.Item):
    2.     # 创建一个类来定义爬取的数据结构
    3.     name = scrapy.Field()
    4.     title = scrapy.Field()
    5.     url = scrapy.Field()
    复制代码
    那为什么要这样定义:
    在Scrapy框架中,scrapy.Field() 是用于定义Item字段的特殊类,它的作用相当于一个标记。具体来说:

    • 数据布局声明
      每个Field实例代表Item中的一个数据字段(如你代码中的name/title/url),用于声明爬虫要网络哪些数据字段。
    • 元数据容器
      虽然看起来像普通赋值,但实际可以通过Field()通报元数据参数:
    在这里定义变量之后,后续就可以这样举行使用
    1. item = ScrapySpiderItem()
    2. item['name'] = '股票名称'
    3. item['title'] = '股价数据'
    4. item['url'] = 'http://example.com'
    复制代码
    然后就可以输入scrapy genspider itcast "itcast.cn"下令来创建一个爬虫,爬取itcast.cn域里的代码

数据爬取

注意这里假如你是跟着菜鸟教程来的,肯定要改为这样,在itcast.py中
  1. import scrapy
  2. class ItcastSpider(scrapy.Spider):
  3.     name = "itcast"
  4.     allowed_domains = ["iscast.cn"]
  5.     start_urls = ["http://www.itcast.cn/channel/teacher.shtml"]
  6.     def parse(self, response):
  7.         filename = "teacher.html"
  8.         open(filename, 'wb').write(response.body)
复制代码
改为wb,因为返回的是byte数据,假如用w不能正常返回值
那么基本的框架就是这样:
  1. from mySpider.items import ItcastItem
  2. def parse(self, response):
  3.     #open("teacher.html","wb").write(response.body).close()
  4.     # 存放老师信息的集合
  5.     items = []
  6.     for each in response.xpath("//div[@class='li_txt']"):
  7.         # 将我们得到的数据封装到一个 `ItcastItem` 对象
  8.         item = ItcastItem()
  9.         #extract()方法返回的都是unicode字符串
  10.         name = each.xpath("h3/text()").extract()
  11.         title = each.xpath("h4/text()").extract()
  12.         info = each.xpath("p/text()").extract()
  13.         #xpath返回的是包含一个元素的列表
  14.         item['name'] = name[0]
  15.         item['title'] = title[0]
  16.         item['info'] = info[0]
  17.         items.append(item)
  18.     # 直接返回最后数据
  19.     return items
复制代码
爬取信息后,使用xpath提取信息,返回值转化为unicode编码后储存到声明好的变量中,返回
数据保存

主要有四种格式
   

  • scrapy crawl itcast -o teachers.json
  • scrapy crawl itcast -o teachers.jsonl //json lines格式
  • scrapy crawl itcast -o teachers.csv
  • scrapy crawl itcast -o teachers.xml
  不过上面只是一些项目标搭建和基本使用,我们通过爬虫渐渐进入框架,肯定也好奇这个框架的优点在哪里,有什么特殊的作用
scrapy布局

pipelines(管道)

这个文件也就是我们说的管道,当Item在Spider中被网络之后,它将会被通报到Item Pipeline(管道),这些Item Pipeline组件按定义的次序处置惩罚Item。每个Item Pipeline都是实现了简单方法的Python类,比如决定此Item是丢弃而存储。以下是item pipeline的一些典范应用:


  • 验证爬取的数据(检查item包含某些字段,比如说name字段)
  • 查重(并丢弃)
  • 将爬取效果保存到文件或者数据库中
  1. # Define your item pipelines here
  2. #
  3. # Don't forget to add your pipeline to the ITEM_PIPELINES setting
  4. # See: https://docs.scrapy.org/en/latest/topics/item-pipeline.html
  5. # useful for handling different item types with a single interface
  6. from itemadapter import ItemAdapter
  7. class MyspiderPipeline:
  8.     def process_item(self, item, spider):
  9.         return item
复制代码
settings(设置)

代码里给了注释,一些基本的设置
  1. # Scrapy settings for mySpider project
  2. #
  3. # For simplicity, this file contains only settings considered important or
  4. # commonly used. You can find more settings consulting the documentation:
  5. #
  6. #     https://docs.scrapy.org/en/latest/topics/settings.html
  7. #     https://docs.scrapy.org/en/latest/topics/downloader-middleware.html
  8. #     https://docs.scrapy.org/en/latest/topics/spider-middleware.html
  9. #项目名称
  10. BOT_NAME = "mySpider"
  11. SPIDER_MODULES = ["mySpider.spiders"]
  12. NEWSPIDER_MODULE = "mySpider.spiders"
  13. # Crawl responsibly by identifying yourself (and your website) on the user-agent
  14. #USER_AGENT = "mySpider (+http://www.yourdomain.com)"
  15. #是否遵守规则协议
  16. # Obey robots.txt rules
  17. ROBOTSTXT_OBEY = True
  18. # Configure maximum concurrent requests performed by Scrapy (default: 16)
  19. #CONCURRENT_REQUESTS = 32 #最大并发量32,默认16
  20. # Configure a delay for requests for the same website (default: 0)
  21. # See https://docs.scrapy.org/en/latest/topics/settings.html#download-delay
  22. # See also autothrottle settings and docs
  23. #下载延迟3秒
  24. #DOWNLOAD_DELAY = 3
  25. # The download delay setting will honor only one of:
  26. #CONCURRENT_REQUESTS_PER_DOMAIN = 16
  27. #CONCURRENT_REQUESTS_PER_IP = 16
  28. # Disable cookies (enabled by default)
  29. #COOKIES_ENABLED = False
  30. # Disable Telnet Console (enabled by default)
  31. #TELNETCONSOLE_ENABLED = False
  32. # Override the default request headers:
  33. #请求头
  34. #DEFAULT_REQUEST_HEADERS = {
  35. #    "Accept": "text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8",
  36. #    "Accept-Language": "en",
  37. #}
  38. # Enable or disable spider middlewares
  39. # See https://docs.scrapy.org/en/latest/topics/spider-middleware.html
  40. #SPIDER_MIDDLEWARES = {
  41. #    "mySpider.middlewares.MyspiderSpiderMiddleware": 543,
  42. #}
  43. # Enable or disable downloader middlewares
  44. # See https://docs.scrapy.org/en/latest/topics/downloader-middleware.html
  45. #DOWNLOADER_MIDDLEWARES = {
  46. #    "mySpider.middlewares.MyspiderDownloaderMiddleware": 543,
  47. #}
  48. # Enable or disable extensions
  49. # See https://docs.scrapy.org/en/latest/topics/extensions.html
  50. #EXTENSIONS = {
  51. #    "scrapy.extensions.telnet.TelnetConsole": None,
  52. #}
  53. # Configure item pipelines
  54. # See https://docs.scrapy.org/en/latest/topics/item-pipeline.html
  55. #ITEM_PIPELINES = {
  56. #    "mySpider.pipelines.MyspiderPipeline": 300,
  57. #}
  58. # Enable and configure the AutoThrottle extension (disabled by default)
  59. # See https://docs.scrapy.org/en/latest/topics/autothrottle.html
  60. #AUTOTHROTTLE_ENABLED = True
  61. # The initial download delay
  62. #AUTOTHROTTLE_START_DELAY = 5
  63. # The maximum download delay to be set in case of high latencies
  64. #AUTOTHROTTLE_MAX_DELAY = 60
  65. # The average number of requests Scrapy should be sending in parallel to
  66. # each remote server
  67. #AUTOTHROTTLE_TARGET_CONCURRENCY = 1.0
  68. # Enable showing throttling stats for every response received:
  69. #AUTOTHROTTLE_DEBUG = False
  70. # Enable and configure HTTP caching (disabled by default)
  71. # See https://docs.scrapy.org/en/latest/topics/downloader-middleware.html#httpcache-middleware-settings
  72. #HTTPCACHE_ENABLED = True
  73. #HTTPCACHE_EXPIRATION_SECS = 0
  74. #HTTPCACHE_DIR = "httpcache"
  75. #HTTPCACHE_IGNORE_HTTP_CODES = []
  76. #HTTPCACHE_STORAGE = "scrapy.extensions.httpcache.FilesystemCacheStorage"
  77. # Set settings whose default value is deprecated to a future-proof value
  78. TWISTED_REACTOR = "twisted.internet.asyncioreactor.AsyncioSelectorReactor"
  79. FEED_EXPORT_ENCODING = "utf-8"
复制代码
spiders

爬虫代码目录,定义了爬虫的逻辑
  1. import scrapy
  2. from mySpider.items import ItcastItem
  3. class ItcastSpider(scrapy.Spider):
  4.     name = "itcast"
  5.     allowed_domains = ["iscast.cn"]
  6.     start_urls = ["http://www.itcast.cn/"]
  7.     def parse(self, response):
  8.         # 获取网站标题
  9.         list=response.xpath('//*[@id="mCSB_1_container"]/ul/li[@*]')
复制代码
实战(大学信息)

目标网站:爬取大学信息
base64:
aHR0cDovL3NoYW5naGFpcmFua2luZy5jbi9yYW5raW5ncy9iY3VyLzIwMjQ=
变量命名
在刚刚创建的itcast里更改一下域名,在items里改一下接收数据格式
itcast.py

  1. import scrapy
  2. from mySpider.items import ItcastItem
  3. class ItcastSpider(scrapy.Spider):
  4.     name = "itcast"
  5.     allowed_domains = ["iscast.cn"]
  6.     start_urls = ["https://www.shanghairanking.cn/rankings/bcur/2024"]
  7.     def parse(self, response):
  8.         # 获取网站标题
  9.         list=response.xpath('(//*[@class="align-left"])[position() > 1 and position() <= 31]')
  10.         item=ItcastItem()
  11.         for i in list:
  12.             name=i.xpath('./div/div[2]/div[1]/div/div/span/text()').extract()
  13.             description=i.xpath('./div/div[2]/p/text()').extract()
  14.             location=i.xpath('../td[3]/text()').extract()
  15.             item['name']=str(name).strip().replace('\\n','').replace(' ','')
  16.             item['description']=str(description).strip().replace('\\n','').replace(' ','')
  17.             item['location']=str(location).strip().replace('\\n','').replace(' ','')
  18.             print(item)
  19.             yield item
复制代码
这里xpath感不太了解的可以看我之前的博客
一些爬虫底子知识备忘录-xpath
items.py

  1. # Define here the models for your scraped items
  2. #
  3. # See documentation in:
  4. # https://docs.scrapy.org/en/latest/topics/items.html
  5. import scrapy
  6. class ItcastItem(scrapy.Item):
  7.    name = scrapy.Field()
  8.    description=scrapy.Field()
  9.    location=scrapy.Field()
复制代码
pipelines.py

  1. # Define your item pipelines here
  2. #
  3. # Don't forget to add your pipeline to the ITEM_PIPELINES setting
  4. # See: https://docs.scrapy.org/en/latest/topics/item-pipeline.html
  5. # useful for handling different item types with a single interface
  6. import csv
  7. from itemadapter import ItemAdapter
  8. class MyspiderPipeline:
  9.     def __init__(self):#在初始化函数中先创建一个csv文件
  10.         self.f=open('school.csv','w',encoding='utf-8',newline='')
  11.         self.file_name=['name','description','location']
  12.         self.writer=csv.DictWriter(self.f,fieldnames=self.file_name)
  13.         self.writer.writeheader()#写入第一段字段名
  14.     def process_item(self, item, spider):
  15.         self.writer.writerow(dict(item))#在写入的时候,要转化为字典对象
  16.         print(item)
  17.         return item
  18.     def close_spider(self,spider):
  19.         self.f.close()#关闭文件
复制代码
setting.py

  1. # Scrapy settings for mySpider project
  2. #
  3. # For simplicity, this file contains only settings considered important or
  4. # commonly used. You can find more settings consulting the documentation:
  5. #
  6. #     https://docs.scrapy.org/en/latest/topics/settings.html
  7. #     https://docs.scrapy.org/en/latest/topics/downloader-middleware.html
  8. #     https://docs.scrapy.org/en/latest/topics/spider-middleware.html
  9. #项目名称
  10. BOT_NAME = "mySpider"
  11. SPIDER_MODULES = ["mySpider.spiders"]
  12. NEWSPIDER_MODULE = "mySpider.spiders"
  13. # Crawl responsibly by identifying yourself (and your website) on the user-agent
  14. #USER_AGENT = "mySpider (+http://www.yourdomain.com)"
  15. #是否遵守规则协议
  16. # Obey robots.txt rules
  17. ROBOTSTXT_OBEY = False
  18. # Configure maximum concurrent requests performed by Scrapy (default: 16)
  19. #CONCURRENT_REQUESTS = 32 #最大并发量32,默认16
  20. # Configure a delay for requests for the same website (default: 0)
  21. # See https://docs.scrapy.org/en/latest/topics/settings.html#download-delay
  22. # See also autothrottle settings and docs
  23. #下载延迟3秒
  24. #DOWNLOAD_DELAY = 3
  25. # The download delay setting will honor only one of:
  26. #CONCURRENT_REQUESTS_PER_DOMAIN = 16
  27. #CONCURRENT_REQUESTS_PER_IP = 16
  28. # Disable cookies (enabled by default)
  29. #COOKIES_ENABLED = False
  30. # Disable Telnet Console (enabled by default)
  31. #TELNETCONSOLE_ENABLED = False
  32. # Override the default request headers:
  33. #请求头
  34. DEFAULT_REQUEST_HEADERS = {
  35.    "Accept": "text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8",
  36.    "Accept-Language": "en",
  37. }
  38. # Enable or disable spider middlewares
  39. # See https://docs.scrapy.org/en/latest/topics/spider-middleware.html
  40. #SPIDER_MIDDLEWARES = {
  41. #    "mySpider.middlewares.MyspiderSpiderMiddleware": 543,
  42. #}
  43. # Enable or disable downloader middlewares
  44. # See https://docs.scrapy.org/en/latest/topics/downloader-middleware.html
  45. #DOWNLOADER_MIDDLEWARES = {
  46. #    "mySpider.middlewares.MyspiderDownloaderMiddleware": 543,
  47. #}
  48. # Enable or disable extensions
  49. # See https://docs.scrapy.org/en/latest/topics/extensions.html
  50. #EXTENSIONS = {
  51. #    "scrapy.extensions.telnet.TelnetConsole": None,
  52. #}
  53. # Configure item pipelines
  54. # See https://docs.scrapy.org/en/latest/topics/item-pipeline.html
  55. ITEM_PIPELINES = {
  56.    "mySpider.pipelines.MyspiderPipeline": 300,
  57. }
  58. LOG_LEVEL = 'WARNING'
  59. # Enable and configure the AutoThrottle extension (disabled by default)
  60. # See https://docs.scrapy.org/en/latest/topics/autothrottle.html
  61. #AUTOTHROTTLE_ENABLED = True
  62. # The initial download delay
  63. #AUTOTHROTTLE_START_DELAY = 5
  64. # The maximum download delay to be set in case of high latencies
  65. #AUTOTHROTTLE_MAX_DELAY = 60
  66. # The average number of requests Scrapy should be sending in parallel to
  67. # each remote server
  68. #AUTOTHROTTLE_TARGET_CONCURRENCY = 1.0
  69. # Enable showing throttling stats for every response received:
  70. #AUTOTHROTTLE_DEBUG = False
  71. # Enable and configure HTTP caching (disabled by default)
  72. # See https://docs.scrapy.org/en/latest/topics/downloader-middleware.html#httpcache-middleware-settings
  73. #HTTPCACHE_ENABLED = True
  74. #HTTPCACHE_EXPIRATION_SECS = 0
  75. #HTTPCACHE_DIR = "httpcache"
  76. #HTTPCACHE_IGNORE_HTTP_CODES = []
  77. #HTTPCACHE_STORAGE = "scrapy.extensions.httpcache.FilesystemCacheStorage"
  78. # Set settings whose default value is deprecated to a future-proof value
  79. TWISTED_REACTOR = "twisted.internet.asyncioreactor.AsyncioSelectorReactor"
  80. FEED_EXPORT_ENCODING = "utf-8"
复制代码
start.py

然后在myspider文件夹下可以创建一个start.py文件,这样我们直接运行这个文件即可,不需要使用下令
  1. from scrapy import cmdline
  2. cmdline.execute("scrapy crawl itcast".split())
复制代码
然后我们就正常保存为csv格式啦!

一些问题

实现继续爬取,翻页

scrapy使用yield举行数据剖析和爬取request,假如想实现翻页或者在请求完单次请求后继续请求,使用yield继续请求假如这里你使用一个return肯定会直接退出,感兴趣的可以去深入了解一下
一些setting配置

  LOG_LEVEL = 'WARNING'可以把不太重要的日记关掉,让我们专注于看数据的爬取与分析
然后管道什么的在运行前记得开一下,把原先注释掉的打开就行
别的robot也要记得关一下

然后管道什么的在运行前记得开一下
文件命名

csv格式的文件命名肯定要和items中的命名同等,否则数据进不去

到了结束的时间了,本篇文章是对scrapy框架的入门,更加深入的知识请期待后续文章,一起进步!

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

兜兜零元

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表