B
B
BitSky
Search
K

Python

A Retailer creates, receives, and extracts Tasks, and you can use any programming language to implement Retailer RESTFul API.
This document guides you on how to implement a Retailer step by step use Python

Prepare works

Before you continue, please do follow works first:
  1. 1.
    Finish Quick Start. Quick Start can help you understand the terminologies and flow
  2. 2.
    Install Python. You can install any stable version higher than 3.8

Implementation

This tutorial shows you how to create a Retailer to implement Crawl Example Blog step by step. Not like NodeJS, we didn't have Python SDK, so you need to implement Retailer RESTFul API and BitSky RESTFul API by yourself.

Creating a project

Create a directory to hold your Retailer, and make that as your working directory.
$ mkdir crawlExampleBlogs
$ cd crawlExampleBlogs

Install depend on packages

In this tutorial, we need to use the following packages:
  1. 1.
    requests: A simple, yet elegant HTTP library.
  2. 2.
    Beautiful Soup: A Python library for pulling data out of HTML and XML files
  3. 3.
    Flask: The Python micro framework for building web applications
  4. 4.
    Gunicorn: a Python WSGI HTTP Server for UNIX
$ pip install requests
$ pip install beautifulsoup4
$ pip install flask
$ pip install gunicorn

Create files

Inside crawlExampleBlogs , create app.py
# python built-in module: json - JSON encoder and decoder. https://docs.python.org/3/library/json.html
import json
# python built-in module: csv - CSV File Reading and Writing. https://docs.python.org/3/library/csv.html
import csv
# python build-in module: os.environ. Get environment variable
from os import environ
# Construct a full (“absolute”) URL by combining a “base URL” (base) with another URL (url)
# https://docs.python.org/3/library/urllib.parse.html#module-urllib.parse
from urllib.parse import urljoin
################################################################
# Third part libraries
# `flash`: The Python micro framework for building web applications
# https://flask.palletsprojects.com/en/1.1.x/
from flask import Flask, request, render_template
# `requests`: HTTP for Humans
# https://requests.readthedocs.io/en/master/
import requests
# `beautifulsoup4`: A Python library for pulling data out of HTML and XML files
# Python web scraping beautifual soup: https://www.scrapingbee.com/blog/python-web-scraping-beautiful-soup/
# https://www.crummy.com/software/BeautifulSoup/bs4/doc/
from bs4 import BeautifulSoup
app = Flask(__name__)
# You MUST change to correct BitSKy Base URL
# If you are using BitSky Desktop Application, check https://docs.bitsky.ai/how-tos/how-to-get-bitsky-port-number-in-desktop-application
BITSKY_BASE_URL = environ.get('BITSKY_BASE_URL') or 'http://localhost:9099'
# You MUST change to correct Retailer Configuration Global ID
GLOBAL_ID = environ.get('GLOBAL_ID') or 'bf9f0118-8456-4f05-b6a6-bcf747acb5f8'
# path of crawled blogs
BLOGS_CSV_PATH = './blogs.csv'
# crawled blog fileds
FIELD_NAMES = ['title', 'author', 'date', 'content', 'url']
# Implement Initial Tasks RESTFul API
# Doc - https://docs.bitsky.ai/api/retailer-restful-api#initial-tasks-optional
@app.route('/apis/tasks/trigger', methods=['GET'])
def trigger():
return 'Please implement your trigger function'
# Implement Receive Tasks RESTFul API
# Doc - https://docs.bitsky.ai/api/retailer-restful-api#receive-tasks
@app.route('/apis/tasks', methods=["POST"])
def parse():
return 'Please implement your parse function'
# Implement health check RESTFul API
# Doc - https://docs.bitsky.ai/api/retailer-restful-api#health-check
@app.route('/health', methods=['GET'])
def health():
return 'running'
app.py implement placeholder for Retailer RESTFul API and add packages we will use later.
Run the Retailer with the following command:
crawlExampleBlogs $ gunicorn app:app
[2020-11-01 20:21:11 -0800] [97233] [INFO] Starting gunicorn 20.0.4
[2020-11-01 20:21:11 -0800] [97233] [INFO] Listening at: http://127.0.0.1:8000 (97233)
[2020-11-01 20:21:11 -0800] [97233] [INFO] Using worker: sync
[2020-11-01 20:21:11 -0800] [97235] [INFO] Booting worker with pid: 97235
[2020-11-01 20:23:03 -0800] [97233] [CRITICAL] WORKER TIMEOUT (pid:97235)
[2020-11-01 20:23:03 -0800] [97235] [INFO] Worker exiting (pid: 97235)
[2020-11-01 20:23:03 -0800] [97336] [INFO] Booting worker with pid: 97336
Then, load http://localhost:8000/apis/tasks/trigger in a browser to see the output

Extract Data

This is the full example of extract blogs information from https://exampleblog.bitsky.ai/
# python built-in module: json - JSON encoder and decoder. https://docs.python.org/3/library/json.html
import json
# python built-in module: csv - CSV File Reading and Writing. https://docs.python.org/3/library/csv.html
import csv
# python build-in module: os.environ. Get environment variable
from os import environ
# Construct a full (“absolute”) URL by combining a “base URL” (base) with another URL (url)
# https://docs.python.org/3/library/urllib.parse.html#module-urllib.parse
from urllib.parse import urljoin
################################################################
# Third part libraries
# `flash`: The Python micro framework for building web applications
# https://flask.palletsprojects.com/en/1.1.x/
from flask import Flask, request, render_template
# `requests`: HTTP for Humans
# https://requests.readthedocs.io/en/master/
import requests
# `beautifulsoup4`: A Python library for pulling data out of HTML and XML files
# Python web scraping beautifual soup: https://www.scrapingbee.com/blog/python-web-scraping-beautiful-soup/
# https://www.crummy.com/software/BeautifulSoup/bs4/doc/
from bs4 import BeautifulSoup
app = Flask(__name__)
# You MUST change to correct BitSKy Base URL
# If you are using BitSky Desktop Application, check https://docs.bitsky.ai/how-tos/how-to-get-bitsky-port-number-in-desktop-application
BITSKY_BASE_URL = environ.get('BITSKY_BASE_URL') or 'http://localhost:9099'
# You MUST change to correct Retailer Configuration Global ID
GLOBAL_ID = environ.get('GLOBAL_ID') or 'bf9f0118-8456-4f05-b6a6-bcf747acb5f8'
# path of crawled blogs
BLOGS_CSV_PATH = './blogs.csv'
# crawled blog fileds
FIELD_NAMES = ['title', 'author', 'date', 'content', 'url']
#========================================================================
# You can read https://docs.bitsky.ai/tutorials/crawl-example-blog to get detail understand what is the requirement of this example
#========================================================================
# Add Tasks to BitSky
# Doc - https://docs.bitsky.ai/api/bitsky-restful-api
def sendToBitSky(tasks):
bitsky_url = urljoin(BITSKY_BASE_URL, '/apis/tasks')
res = requests.post(bitsky_url, json=tasks)
return json.dumps(res.json())
# Write crawled blog to disk as csv format
def writeToBlogCSV(blogs, blog_csv_path=BLOGS_CSV_PATH, fieldnames=FIELD_NAMES, header=False):
with open(blog_csv_path, mode='a') as csvfile:
writer = csv.DictWriter(csvfile, fieldnames=fieldnames)
if header:
writer.writeheader() # add column names in the CSV file
writer.writerows(blogs)
# init blogs.csv with header
writeToBlogCSV(blogs=[], header=True)
# Implement Initial Tasks RESTFul API
# Doc - https://docs.bitsky.ai/api/retailer-restful-api#initial-tasks-optional
@app.route('/apis/tasks/trigger', methods=['GET'])
def trigger():
return sendToBitSky([{
# Target website URL
'url': "http://exampleblog.bitsky.ai/",
# Priority of this task. This is useful if your tasks need to be executed by order. `1` is highest priority
'priority': 1,
'retailer': {
'globalId': GLOBAL_ID
},
# Additional metadata for this task, you should add it based your requirement. `script` is preserved, it only used for pass JavaScript Code String
# In this example, I use `type` to distinguish different page - `bloglist` or `blog`.
# If it is `bloglist` then get all blog links and add new tasks to continues crawl those blogs, otherwise save blog to JSON
#
# In this example, I let page to wait 5 second, this isn't necessary, only used for show you how to execute JavaScript Code.
# `script` is useful to crawl single page application or you need to interact with page. And only `Headless Producer` can execute tasks have script
# `script` is the JavaScript Code you want to execute, you need to convert your function to string. Normally you can use `functionName.toString()`
'metadata': {
'type': "bloglist",
# Check more detail https://docs.bitsky.ai/how-tos/how-to-execute-javascript-in-browser
'script': '''
async function customFunction() {
await $$page.waitFor(5 * 1000);
}
'''
}
}])
# Implement Receive Tasks RESTFul API
# Doc - https://docs.bitsky.ai/api/retailer-restful-api#receive-tasks
@app.route('/apis/tasks', methods=["POST"])
def parse():
# https://flask.palletsprojects.com/en/1.1.x/api/#flask.Request.get_json
returnTasks = request.get_json()
tasks = []
# crawled blogs
crawledBlogs = []
targetBaseURL = "http://exampleblog.bitsky.ai"
for i in range(len(returnTasks)):
# Schema of Task: https://raw.githubusercontent.com/bitskyai/bitsky-supplier/develop/src/schemas/task.json
task = returnTasks[i]
htmlString = task['dataset']['data']['content']
type = task['metadata']['type']
# You can find how to use Beautiful Soap from https://www.crummy.com/software/BeautifulSoup/bs4/doc/#
# Beautiful Soup: A Python library for pulling data out of HTML and XML files
soup = BeautifulSoup(htmlString, 'html.parser')
if type == 'bloglist':
# If task type is **bloglist**, then need to get blog link
# Get more detail from https://docs.bitsky.ai/tutorials/crawl-example-blog#crawl-each-blog-list-page-and-get-blogs-link
blogUrls = soup.select("div.post-preview a")
for j in range(len(blogUrls)):
blog = blogUrls[j]
blogURL = blog.get('href')
# Get blog page link, don't forget to add Base URL
blogURL = urljoin(targetBaseURL, blogURL)
# Add Task to crawl blog page
tasks.append({
'url': blogURL,
# Set `priority` to `2`, so we can first crawl all blog list page, then crawl all blogs
'priority': 2,
'retailer': {
'globalId': GLOBAL_ID
},
'metadata': {
# Add `type: "blog"` to indicate this task is for crawl blog
'type': "blog"
}
})
# Get next blog list page link. https://docs.bitsky.ai/tutorials/crawl-example-blog#crawl-each-blog-list-page-and-get-blogs-link
nextURL = soup.select("ul.pager li.next a")
if len(nextURL):
nextURL = nextURL[0]
nextURL = nextURL.get('href')
nextURL = urljoin(targetBaseURL, nextURL)
# If it has next blog list page, then create a Task to crawl Next Blog List page
tasks.append({
'url': nextURL,
# blog list page is highest priority
'priority': 1,
'retailer': {
'globalId': GLOBAL_ID
},
'metadata': {
# indicate this task is for crawl blog list page
'type': "bloglist",
# Just to show you how to execute JavaScript in the browser
'script': '''
async function customFunction() {
await $$page.waitFor(5 * 1000);
}
'''
}
})
elif type == 'blog':
# If it is blog page, then crawl data and save to blogs.csv
crawledBlogs.append({
'title': soup.select("div.post-heading h1")[0].get_text(),
'author': soup.select("div.post-heading p.meta span.author")[0].get_text(),
'date': soup.select("div.post-heading p.meta span.date")[0].get_text(),
'content': soup.select("div.post-container div.post-content")[0].get_text(),
'url': task['dataset']['url']
})
else:
print('unknown type')
# Send Tasks that need to be executed to BitSky
if len(tasks):
sendToBitSky(tasks)
# Save crawled data to
if len(crawledBlogs):
writeToBlogCSV(crawledBlogs)
return 'successful'
# Implement health check RESTFul API
# Doc - https://docs.bitsky.ai/api/retailer-restful-api#health-check
@app.route('/health', methods=['GET'])
def health():
return 'running'
Let us take a look at each part.

trigger

trigger is used for init first task/tasks for your data scrawling job. To crawl https://exampleblog.bitsky.ai/, we add the first Task to crawl blog list page, then in the parse function based on crawled data decide to add Tasks to crawl blog list page, crawl blog page or save crawled blog data.

parse

After Producers successfully execute Tasks, parse function will be called. And receive the Tasks contain crawled data, check Task Schema.
By default, task.dataset.data.content is HTML String, so we can use Beautiful Soup to parse HTML String, then use CSS Selector to extract data from HTML String. For example:
soup = BeautifulSoup(htmlString, 'html.parser')
blogUrls = soup.select("div.post-preview a")
It gets the following 3 items
Then you can use blogUrls[0].get("href") to get the URL for each blog, append a Task to crawl the blog page.
tasks.append({
'url': blogURL,
# Set `priority` to `2`, so we can first crawl all blog list page, then crawl all blogs
'priority': 2,
'retailer': {
'globalId': GLOBAL_ID
},
'metadata': {
# Add `type: "blog"` to indicate this task is for crawl blog
'type': "blog"
}
})
And if has the next blog list page, also append a Task to crawl the blog list page.
tasks.append({
'url': nextURL,
# blog list page is highest priority
'priority': 1,
'retailer': {
'globalId': GLOBAL_ID
},
'metadata': {
# indicate this task is for crawl blog list page
'type': "bloglist",
# Just to show you how to execute JavaScript in the browser
'script': '''
async function customFunction() {
await $$page.waitFor(5 * 1000);
}
'''
}
})
customFunction is only used to show you how to execute custom JavaScript in the browser page, check more detail about How to execute JavaScript in a Task
If Task's type is blog, then extract data and save to disk.
crawledBlogs.append({
'title': soup.select("div.post-heading h1")[0].get_text(),
'author': soup.select("div.post-heading p.meta span.author")[0].get_text(),
'date': soup.select("div.post-heading p.meta span.date")[0].get_text(),
'content': soup.select("div.post-container div.post-content")[0].get_text(),
'url': task['dataset']['url']
})
At the end of this parse function, send Tasks to BitSky and save crawled data to dist
# Send Tasks that need to be executed to BitSky
if len(tasks):
sendToBitSky(tasks)
# Save crawled data to
if len(crawledBlogs):
writeToBlogCSV(crawledBlogs)

Configure Retailer

Now let us update BITSKY_BASE_URL and GLOBAL_ID.
For BITSKY_BASE_URL, you can check How to get BitSky Desktop Application Base URL
Run the Retailer with the following command:
crawlExampleBlogs $ gunicorn app:app
[2020-11-01 20:21:11 -0800] [97233] [INFO] Starting gunicorn 20.0.4
[2020-11-01 20:21:11 -0800] [97233] [INFO] Listening at: http://127.0.0.1:8000 (97233)
[2020-11-01 20:21:11 -0800] [97233] [INFO] Using worker: sync
[2020-11-01 20:21:11 -0800] [97235] [INFO] Booting worker with pid: 97235
[2020-11-01 20:23:03 -0800] [97233] [CRITICAL] WORKER TIMEOUT (pid:97235)
[2020-11-01 20:23:03 -0800] [97235] [INFO] Worker exiting (pid: 97235)
[2020-11-01 20:23:03 -0800] [97336] [INFO] Booting worker with pid: 97336
Then open http://localhost:8000/aips/tasks/trigger in your browser, it will add a Task to BitSky and BitSky will crawl all blogs and save to blogs.csv file in your local disk.
Last modified 2yr ago