亚洲视频二区_亚洲欧洲日本天天堂在线观看_日韩一区二区在线观看_中文字幕不卡一区

公告:魔扣目錄網為廣大站長提供免費收錄網站服務,提交前請做好本站友鏈:【 網站目錄:http://www.430618.com 】, 免友鏈快審服務(50元/站),

點擊這里在線咨詢客服
新站提交
  • 網站:51998
  • 待審:31
  • 小程序:12
  • 文章:1030137
  • 會員:747

1 Scrapy 爬蟲完整案例-基礎篇

1.1 Scrapy 爬蟲案例一

Scrapy 爬蟲案例:爬取騰訊網招聘信息

案例步驟:

第一步:創建項目。

在 dos下切換到目錄

D:爬蟲_scriptscrapy_project

Scrapy 爬蟲完整案例-基礎篇

 

新建一個新的爬蟲項目:scrapy startproject tencent

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

第二步:編寫 items.py 文件,設置好需要保存的數據字段。

import scrapy

class TencentItem(scrapy.Item):

# 職位名

positionname = scrapy.Field()

# 詳情連接

positionlink = scrapy.Field()

# 職位類別

positionType = scrapy.Field()

# 招聘人數

peopleNum = scrapy.Field()

# 工作地點

workLocation = scrapy.Field()

# 發布時間

publishTime = scrapy.Field()

Scrapy 爬蟲完整案例-基礎篇

 

第三步:創建爬蟲。

在 dos下切換到目錄

D:爬蟲_scriptscrapy_projecttencenttencentspiders

用命令 scrapy genspider tencents "tencent.com" 創建爬蟲。

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

備注:因為用命令創建的時候,爬蟲名稱不能和域名tencent.com 一樣,所以創建的時候,爬蟲名為:tencents,創建完之后,可以把爬蟲名修改成 tencent。

第四步:編寫爬蟲文件。

Scrapy 爬蟲完整案例-基礎篇

 

從圖片中看到tencent招聘信息有339頁。

第一頁的鏈接地址:

https://hr.tencent.com/position.php?&start=0

第二頁的鏈接地址:

https://hr.tencent.com/position.php?&start=10

最后一頁的鏈接地址:

https://hr.tencent.com/position.php?&start=3380

通過分析我們得知,每一頁的的鏈接地址start的值遞增10,就是下一頁的地址。

Scrapy 爬蟲完整案例-基礎篇

 

通過對頁面的分析,得出需要保存的數據字段在頁面上的位置。

info= response.xpath("//tr[@class='even'] | //tr[@class='odd']")

each in info

# 職位名

item['positionname'] = each.xpath("./td[1]/a/text()").extract()[0]

# 詳情連接

item['positionlink'] = each.xpath("./td[1]/a/@href").extract()[0]

# 職位類別

item['positionType'] = each.xpath("./td[2]/text()").extract()[0]

# 招聘人數

item['peopleNum'] = each.xpath("./td[3]/text()").extract()[0]

# 工作地點

item['workLocation'] = each.xpath("./td[4]/text()").extract()[0]

# 發布時間

item['publishTime'] = each.xpath("./td[5]/text()").extract()[0]

編寫完整的爬蟲文件。

import scrapy,sys,os

path = os.path.dirname(os.path.dirname(os.path.dirname(os.path.abspath(__file__))))

#print(path)

sys.path.Append(path)

from tencent.items import TencentItem

class TencentpositionSpider(scrapy.Spider):

name = "tencent"

allowed_domains = ["tencent.com"]

url = "http://hr.tencent.com/position.php?&start="

offset = 0

start_urls = [url + str(offset)]

def parse(self, response):

info= response.xpath("//tr[@class='even'] | //tr[@class='odd']")

for each in info:

# 初始化模型對象

item = TencentItem()

item['positionname'] = each.xpath("./td[1]/a/text()").extract()[0]

# 詳情連接

item['positionlink'] = each.xpath("./td[1]/a/@href").extract()[0]

# 職位類別

item['positionType'] = each.xpath("./td[2]/text()").extract()[0]

# 招聘人數

item['peopleNum'] = each.xpath("./td[3]/text()").extract()[0]

# 工作地點

item['workLocation'] = each.xpath("./td[4]/text()").extract()[0]

# 發布時間

item['publishTime'] = each.xpath("./td[5]/text()").extract()[0]

#將獲取的數據交給管道文件 pipelines ,yield的作用是把一個函數當成一個生成器,程序每次執行到yield時,返回一個值,程序會先暫停,下次調用再返回一個值,程序會接著暫停....

yield item

if self.offset < 3390:

self.offset += 10

# 每次處理完一頁的數據之后,重新發送下一頁頁面請求

# self.offset自增10,同時拼接為新的 url,并調用回調函數 self.parse 處理 Response

yield scrapy.Request(self.url + str(self.offset), callback = self.parse)

第五步:編寫管道文件:TencentPipeline

import json

class TencentPipeline(object):

# __init__方法是可選的,做為類的初始化方法

def __init__(self):

# 創建了一個 tencent.json 文件,用來保存數據

self.filename = open("tencent.json", "wb")

# process_item方法是必須寫的,用來處理item數據

def process_item(self, item, spider):

text = json.dumps(dict(item), ensure_ascii = False) + ",n"

# 把數據寫入到tencent.json 文件中,編碼為:utf-8

self.filename.write(text.encode("utf-8"))

return item

# close_spider方法是可選的,結束時調用這個方法

def close_spider(self, spider):

self.filename.close()

第六步:修改 settings 文件。

Scrapy 爬蟲完整案例-基礎篇

 

在settings.py文件配置里指定剛才編寫的管道文件名:TencentPipeline。

Scrapy 爬蟲完整案例-基礎篇

 

下載的數據比較多,需要設定一個下載延時時間,以免下載的數據不全。

Scrapy 爬蟲完整案例-基礎篇

 

設置爬蟲請求的默認頭信息。

第七步:運行爬蟲。

在 dos下切換到目錄

D:爬蟲_scriptscrapy_projecttencenttencent 下

通過命令運行爬蟲 :scrapy crawl tencent

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

第八步:查看爬取的結果。

查看新建的tencent.json 數據文件。

Scrapy 爬蟲完整案例-基礎篇

 

1.2 Scrapy 爬蟲案例二

Scrapy 爬蟲案例:斗魚圖片下載

案例步驟:

第一步:通過 Fiddler 進行手機抓包。

通過Fiddler抓包工具,可以抓取手機的網絡通信,但前提是手機和電腦處于同一局域網內(WI-FI或熱點),然后進行以下設置:

用 Fiddler 對 Android 應用進行抓包的設置:

1、打開 Fiddler 設置(Tools->options)。

Scrapy 爬蟲完整案例-基礎篇

 

2、在 Connections 里設置允許連接遠程計算機,確認后重新啟動 Fiddler 。

Scrapy 爬蟲完整案例-基礎篇

 

3、在命令提示符下輸入 ipconfig 查看本電腦 IP。

Scrapy 爬蟲完整案例-基礎篇

 

4、打開 Android 設備的“設置”->“WLAN”,找到你要連接的網絡,進入該網絡。

Scrapy 爬蟲完整案例-基礎篇

 

5、在“代理”后面的輸入框選擇“手動”,在“代理服務器主機名”后面的輸入框輸入電腦的 ip 地址,在“代理服務器端口”后面的輸入框輸入 8888,然后點擊“保存”按鈕。

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

6、啟動 Android 設備中的瀏覽器,訪問網頁即可在 Fiddler 中可以看到完成的請求和響應數據。

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

通過抓包,我們可以看出,請求返回的每頁圖片數據是一個 json 格式的文件,我們找到每頁對應的 json 文件即可。

Scrapy 爬蟲完整案例-基礎篇

 

第二步:每頁請求返回的json數據分析。

第 1 頁 URL 地址:

http://capi.douyucdn.cn/api/v1/getVerticalRoom?limit=20&offset=0

Scrapy 爬蟲完整案例-基礎篇

 

第 2 頁 URL 地址:

http://capi.douyucdn.cn/api/v1/getVerticalRoom?limit=20&offset=20

Scrapy 爬蟲完整案例-基礎篇

 

第 20 頁地址:

http://capi.douyucdn.cn/api/v1/getVerticalRoom?limit=20&offset=400

Scrapy 爬蟲完整案例-基礎篇

 

第 35 頁地址:

Scrapy 爬蟲完整案例-基礎篇

 

顯示如上,表示數據沒有35頁。

【limit】:表示每頁20條數據,每頁偏移量是20。

【offset】:表示頁數。

把第 1 頁的返回的 json 格式的數據拷貝,通過 json 在線解析工具(https://www.json.cn/)對數據進行解析,如下:

Scrapy 爬蟲完整案例-基礎篇

 

其中每一頁20條數據,每條數據顯示如下:

Scrapy 爬蟲完整案例-基礎篇

 

第三步:創建 scrapy 爬蟲項目。

在 dos下切換到目錄

D:scrapy_project

Scrapy 爬蟲完整案例-基礎篇

 

新建一個新的爬蟲項目:scrapy startproject douyu

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

第四步:明確需要爬取的字段,編寫 items 文件。

Scrapy 爬蟲完整案例-基礎篇

 

對于上面的信息,我們只抓取 2 個字段(昵稱和圖片鏈接)。

為了保存圖片,還需增加一個圖片保存路徑的字段。

編寫 Items.py 文件。

import scrapy

class DouyuItem(scrapy.Item):

# define the fields for your item here like:

#昵稱

nickname = scrapy.Field()

#圖片下載鏈接

imagelink = scrapy.Field()

#圖片下載的本地保存路徑

imagePath = scrapy.Field()

第五步:新建爬蟲,編寫爬蟲文件。

在 DOS 下切換目錄

D:scrapy_projectdouyudouyuspiders

執行命令新建爬蟲命令:

scrapy genspider douyuMM "capi.douyucdn.cn"

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

編寫爬蟲文件。

import scrapy,sys,os

import json

path = os.path.dirname(os.path.dirname(os.path.dirname(os.path.abspath(__file__))))

sys.path.append(path)

from douyu.items import DouyuItem

class DouyummSpider(scrapy.Spider):

#爬蟲名

name = "douyuMM"

#允許爬蟲作用的范圍

allowed_domains = ["capi.douyucdn.cn"]

# URL 變量

offset = 0

#基礎的 URL

url = "http://capi.douyucdn.cn/api/v1/getVerticalRoom?limit=20&offset="

# 爬蟲起始的url

start_urls = [url + str(offset)]

def parse(self, response):

# 請求返回的數據是json格式,需要把json格式的數據轉換為 Python 格式,data 段是列表

data = json.loads(response.text)["data"]

for each in data:

#定義一個Item 對象,用來保存數據的

item = DouyuItem()

# 取 data 列表中的值,放到 Item 對象中

item["nickname"] = each["nickname"]

item["imagelink"] = each["vertical_src"]

## 將獲取的數據交給管道文件 pipelines ,yield的作用是把一個函數當成一個生成器,程序每次執行到yield時,返回一個值,程序會先暫停,下次調用再返回一個值,程序會接著暫停....

yield item

if self.offset < 400:

self.offset += 20

# 每次處理完一頁的數據之后,重新發送下一頁頁面請求

# self.offset自增20,同時拼接為新的 url,并調用回調函數 self.parse 處理 Response

yield scrapy.Request(self.url + str(self.offset), callback = self.parse)

第六步:分析 pipelines 管道文件處理的數據類型。

第一個案例講的 pipelines 管道文件處理的是 html 頁面的靜態文本,這個案例需要處理的是圖片,需要把圖片下載下來,需要對 Settings.py 文件進行相應的配置。

第七步:修改 Settings.py 文件。

1、修改默認的請求信息(手機端瀏覽器)。

# Override the default request headers:

DEFAULT_REQUEST_HEADERS = {

"User-Agent" : "DYZB/1 CFNetwork/808.2.16 Darwin/16.3.0",

}

Scrapy 爬蟲完整案例-基礎篇

 

2.設置管道文件(管道文件類型:ImagesPipeline)

ImagesPipeline 是專門處理圖片的管道文件。

# Configure item pipelines

# See https://doc.scrapy.org/en/latest/topics/item-pipeline.html

ITEM_PIPELINES = {

'douyu.pipelines.ImagesPipeline': 300,

}

3.增加一個存儲下載圖片的本地路徑。

IMAGES_STORE = "D:/scrapy_project/douyu/Images"

Scrapy 爬蟲完整案例-基礎篇

 

后續可以在 pipelines 管道文件程序里直接使用自己定義的圖片存儲路徑變量。

第七步:編寫 pipelines 管道文件。

pipelines 管道文件有專門處理 files(文件)、images(圖片)、media(視頻)3個庫。

C:Python34Libsite-packagesscrapypipelines

Scrapy 爬蟲完整案例-基礎篇

 

查看 images.py 源碼。

"""

Images Pipeline

See documentation in topics/media-pipeline.rst

"""

import functools

import hashlib

import six

try:

from cStringIO import StringIO as BytesIO

except ImportError:

from io import BytesIO

from PIL import Image

from scrapy.utils.misc import md5sum

from scrapy.utils.python import to_bytes

from scrapy.http import Request

from scrapy.settings import Settings

from scrapy.exceptions import DropItem

#TODO: from scrapy.pipelines.media import MediaPipeline

from scrapy.pipelines.files import FileException, FilesPipeline

class NoimagesDrop(DropItem):

"""Product with no images exception"""

class ImageException(FileException):

"""General image error exception"""

class ImagesPipeline(FilesPipeline):

"""Abstract pipeline that implement the image thumbnail generation logic

"""

MEDIA_NAME = 'image'

# Uppercase attributes kept for backward compatibility with code that subclasses

# ImagesPipeline. They may be overridden by settings.

MIN_WIDTH = 0

MIN_HEIGHT = 0

EXPIRES = 90

THUMBS = {}

DEFAULT_IMAGES_URLS_FIELD = 'image_urls'

DEFAULT_IMAGES_RESULT_FIELD = 'images'

def __init__(self, store_uri, download_func=None, settings=None):

super(ImagesPipeline, self).__init__(store_uri, settings=settings,

download_func=download_func)

if isinstance(settings, dict) or settings is None:

settings = Settings(settings)

resolve = functools.partial(self._key_for_pipe,

base_class_name="ImagesPipeline",

settings=settings)

self.expires = settings.getint(

resolve("IMAGES_EXPIRES"), self.EXPIRES

)

if not hasattr(self, "IMAGES_RESULT_FIELD"):

self.IMAGES_RESULT_FIELD = self.DEFAULT_IMAGES_RESULT_FIELD

if not hasattr(self, "IMAGES_URLS_FIELD"):

self.IMAGES_URLS_FIELD = self.DEFAULT_IMAGES_URLS_FIELD

self.images_urls_field = settings.get(

resolve('IMAGES_URLS_FIELD'),

self.IMAGES_URLS_FIELD

)

self.images_result_field = settings.get(

resolve('IMAGES_RESULT_FIELD'),

self.IMAGES_RESULT_FIELD

)

self.min_width = settings.getint(

resolve('IMAGES_MIN_WIDTH'), self.MIN_WIDTH

)

self.min_height = settings.getint(

resolve('IMAGES_MIN_HEIGHT'), self.MIN_HEIGHT

)

self.thumbs = settings.get(

resolve('IMAGES_THUMBS'), self.THUMBS

)

@classmethod

def from_settings(cls, settings):

s3store = cls.STORE_SCHEMES['s3']

s3store.AWS_ACCESS_KEY_ID = settings['AWS_ACCESS_KEY_ID']

s3store.AWS_SECRET_ACCESS_KEY = settings['AWS_SECRET_ACCESS_KEY']

s3store.POLICY = settings['IMAGES_STORE_S3_ACL']

gcs_store = cls.STORE_SCHEMES['gs']

gcs_store.GCS_PROJECT_ID = settings['GCS_PROJECT_ID']

store_uri = settings['IMAGES_STORE']

return cls(store_uri, settings=settings)

def file_downloaded(self, response, request, info):

return self.image_downloaded(response, request, info)

def image_downloaded(self, response, request, info):

checksum = None

for path, image, buf in self.get_images(response, request, info):

if checksum is None:

buf.seek(0)

checksum = md5sum(buf)

width, height = image.size

self.store.persist_file(

path, buf, info,

meta={'width': width, 'height': height},

headers={'Content-Type': 'image/jpeg'})

return checksum

def get_images(self, response, request, info):

path = self.file_path(request, response=response, info=info)

orig_image = Image.open(BytesIO(response.body))

width, height = orig_image.size

if width < self.min_width or height < self.min_height:

raise ImageException("Image too small (%dx%d < %dx%d)" %

(width, height, self.min_width, self.min_height))

image, buf = self.convert_image(orig_image)

yield path, image, buf

for thumb_id, size in six.iteritems(self.thumbs):

thumb_path = self.thumb_path(request, thumb_id, response=response, info=info)

thumb_image, thumb_buf = self.convert_image(image, size)

yield thumb_path, thumb_image, thumb_buf

def convert_image(self, image, size=None):

if image.format == 'PNG' and image.mode == 'RGBA':

background = Image.new('RGBA', image.size, (255, 255, 255))

background.paste(image, image)

image = background.convert('RGB')

elif image.mode == 'P':

image = image.convert("RGBA")

background = Image.new('RGBA', image.size, (255, 255, 255))

background.paste(image, image)

image = background.convert('RGB')

elif image.mode != 'RGB':

image = image.convert('RGB')

if size:

image = image.copy()

image.thumbnail(size, Image.ANTIALIAS)

buf = BytesIO()

image.save(buf, 'JPEG')

return image, buf

def get_media_requests(self, item, info):

return [Request(x) for x in item.get(self.images_urls_field, [])]

def item_completed(self, results, item, info):

if isinstance(item, dict) or self.images_result_field in item.fields:

item[self.images_result_field] = [x for ok, x in results if ok]

return item

def file_path(self, request, response=None, info=None):

## start of deprecation warning block (can be removed in the future)

def _warn():

from scrapy.exceptions import ScrapyDeprecationWarning

import warnings

warnings.warn('ImagesPipeline.image_key(url) and file_key(url) methods are deprecated, '

'please use file_path(request, response=None, info=None) instead',

category=ScrapyDeprecationWarning, stacklevel=1)

# check if called from image_key or file_key with url as first argument

if not isinstance(request, Request):

_warn()

url = request

else:

url = request.url

# detect if file_key() or image_key() methods have been overridden

if not hasattr(self.file_key, '_base'):

_warn()

return self.file_key(url)

elif not hasattr(self.image_key, '_base'):

_warn()

return self.image_key(url)

## end of deprecation warning block

image_guid = hashlib.sha1(to_bytes(url)).hexdigest() # change to request.url after deprecation

return 'full/%s.jpg' % (image_guid)

def thumb_path(self, request, thumb_id, response=None, info=None):

## start of deprecation warning block (can be removed in the future)

def _warn():

from scrapy.exceptions import ScrapyDeprecationWarning

import warnings

warnings.warn('ImagesPipeline.thumb_key(url) method is deprecated, please use '

'thumb_path(request, thumb_id, response=None, info=None) instead',

category=ScrapyDeprecationWarning, stacklevel=1)

# check if called from thumb_key with url as first argument

if not isinstance(request, Request):

_warn()

url = request

else:

url = request.url

# detect if thumb_key() method has been overridden

if not hasattr(self.thumb_key, '_base'):

_warn()

return self.thumb_key(url, thumb_id)

## end of deprecation warning block

thumb_guid = hashlib.sha1(to_bytes(url)).hexdigest() # change to request.url after deprecation

return 'thumbs/%s/%s.jpg' % (thumb_id, thumb_guid)

# deprecated

def file_key(self, url):

return self.image_key(url)

file_key._base = True

# deprecated

def image_key(self, url):

return self.file_path(url)

image_key._base = True

# deprecated

def thumb_key(self, url, thumb_id):

return self.thumb_path(url, thumb_id)

thumb_key._base = True

有興趣的同學,可以完整的解讀下。

Scrapy 爬蟲完整案例-基礎篇

 

本案例中用到其中2個方法:

1. get_media_requests(self, item, info)

2. item_completed(self, results, item, info)

編寫 pipelines 管道文件

#get_media_requests(self, item, info)方法用到 scrapy.Request(image_url)下載圖片,所以需要導入 scrapy 庫

import scrapy

# 通過 get_project_settings 獲取項目的 settings 文件

from scrapy.utils.project import get_project_settings

# 導入 ImagesPipeline 類

from scrapy.pipelines.images import ImagesPipeline

import os

# ImagesPipeline 繼承 ImagesPipeline 父類,重寫 ImagesPipeline 類

class ImagesPipeline(ImagesPipeline):

# 獲取settings文件里設置的變量值

IMAGES_STORE = get_project_settings().get("IMAGES_STORE")

def get_media_requests(self, item, info):

# 爬蟲爬取到的數據:圖片的鏈接

image_url = item["imagelink"]

# 發下載圖片的請求,參數是爬蟲爬取到的圖片地址。發送請求之后,會通過下面的item_completed(self, result, item, info)方法進行數據的處理。

yield scrapy.Request(image_url)

def item_completed(self, result, item, info):

# 這個是 item_completed()固定的寫法,獲取圖片的名字

image_path = [x["path"] for ok, x in result if ok]

#對下載的文件重命名

os.rename(self.IMAGES_STORE + "/" + image_path[0], self.IMAGES_STORE + "/" + item["nickname"] + ".jpg")

item["imagePath"] = self.IMAGES_STORE + "/" + item["nickname"]

return item

第八步:啟動爬蟲,爬取數據。

在 dos下切換到目錄

D:scrapy_projectdouyudouyu 下

通過命令運行爬蟲 :scrapy crawl douyuMM

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

下載完成。

第九步:檢查爬取的數據。

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

第十步:在項目根目錄下新建 run.py 文件,便于PyCharm 下運行調試腳本。

在 D:scrapy_projectdouyudouyu 下。

新建 run.py 文件。

編寫 run.py 文件。

from scrapy import cmdline

cmdline.execute('scrapy crawl douyu'.split())

設置 run.py 文件運行環境。

Scrapy 爬蟲完整案例-基礎篇

 

第十一步:在 PyCharm 下運行,查看運行結果。

Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 


Scrapy 爬蟲完整案例-基礎篇

 

1.3 Scrapy 爬蟲案例基礎篇小結匯總

1、2個案例爬蟲文件里的 scrapy 類都是基于scrapy.Spider 基礎類,Spider類是 scrapy爬蟲框架實現爬蟲的其中一個類,后面還會講到另外的一個類
scrapy.spiders.CrawlSpider 。

2、第一個案例的 pipelines 管道文件是處理 html 靜態文件,第二個案例 pipelines 管道文件是處理下載圖片的。

分享到:
標簽:爬蟲 Scrapy
用戶無頭像

網友整理

注冊時間:

網站:5 個   小程序:0 個  文章:12 篇

  • 51998

    網站

  • 12

    小程序

  • 1030137

    文章

  • 747

    會員

趕快注冊賬號,推廣您的網站吧!
最新入駐小程序

數獨大挑戰2018-06-03

數獨一種數學游戲,玩家需要根據9

答題星2018-06-03

您可以通過答題星輕松地創建試卷

全階人生考試2018-06-03

各種考試題,題庫,初中,高中,大學四六

運動步數有氧達人2018-06-03

記錄運動步數,積累氧氣值。還可偷

每日養生app2018-06-03

每日養生,天天健康

體育訓練成績評定2018-06-03

通用課目體育訓練成績評定