Python Web-Scraping
Topics
- Web basics
- Making web requests
- Inspecting web sites
- Retrieving JSON data
- Using Xpaths to retrieve htmlcontent
- Parsing htmlcontent
- Cleaning and storing text from html
Setup
Software and Materials
Follow the Python Installation instructions and ensure that you can successfully start JupyterLab.
Class Structure
Informal - Ask questions at any time. Really!
Collaboration is encouraged - please spend a minute introducing yourself to your neighbors!
Prerequisites
This is an intermediate / advanced Python course:
- Assumes knowledge of Python, including:
- lists
- dictionaries
- logical indexing
- iteration with for-loops
 
- Assumes basic knowledge of web page structure
- Relatively fast-paced
If you need an introduction to Python or a refresher, we recommend our Python Introduction.
Goals
This workshop is organized into two main parts:
- Retrive information in JSON format
- Parse HTML files
Note that this workshop will not teach you everything you need to know in order to retrieve data from any web service you might wish to scrape.
Web scraping background
What is web scraping?
Web scraping is the activity of automating retrieval of information from a web service designed for human interaction.
Is web scraping legal? Is it ethical?
It depends. If you have legal questions seek legal counsel. You can mitigate some ethical issues by building delays and restrictions into your web scraping program so as to avoid impacting the availability of the web service for other users or the cost of hosting the service for the service provider.
Web scraping approaches
No two websites are identical — websites are built for different purposes by different people and so have different underlying structures. Because they are heterogeneous, there is no single way to scrape a website. The scraping approach therefore has to be tailored to each individual site. Here are some commonly used approaches:
- Use requests to extract information from structured JSON files
- Use requests to extract information from HTML
- Automate a browser to retrieve information from HTML
Bear in mind that even once you’ve decided upon the best approach for a particular site, it will be necessary to modify that approach to suit your particular use-case.
How does the web work?
Components
Computers connected to the web are called clients and servers. A simplified diagram of how they interact might look like this:

- Clients are the typical web user’s internet-connected devices (for example, your computer connected to your Wi-Fi) and web-accessing software available on those devices (usually a web browser like Firefox or Chrome).
- Servers are computers that store webpages, sites, or apps. When a client device wants to access a webpage, a copy of the webpage is downloaded from the server onto the client machine to be displayed in the user’s web browser.
- HTTP is a language for clients and servers to speak to each other.
So what happens?
When you type a web address into your browser:
- The browser finds the address of the server that the website lives on.
- The browser sends an HTTP request message to the server, asking it to send a copy of the website to the client.
- If the server approves the client’s request, the server sends the client a 200 OKmessage, and then starts displaying the website in the browser.
Retrieve data in JSON format if you can
GOAL: To retrieve information in JSON format and organize it into a spreadsheet.
- Inspect the website to check if the content is stored in JSON format
- Make a request to the website server to retrieve the JSON file
- Convert from JSON format into a Python dictionary
- Extract the data from the dictionary and store in a .csv file
We wish to extract information from https://www.harvardartmuseums.org/collections. Like most modern web pages, a lot goes on behind the scenes to produce the page we see in our browser. Our goal is to pull back the curtain to see what the website does when we interact with it. Once we see how the website works we can start retrieving data from it.
If we are lucky we’ll find a resource that returns the data we’re looking for in a structured format like JSON.

This is useful because it is very easy to convert data from JSON into a spreadsheet type format — like a csv or Excel file.
Examine the website’s structure
The basic strategy is pretty much the same for most scraping projects. We will use our web browser (Chrome or Firefox recommended) to examine the page you wish to retrieve data from, and copy/paste information from your web browser into your scraping program.
We start by opening the collections web page in a web browser and inspecting it.


If we scroll down to the bottom of the Collections page, we’ll see a button that says “Load More”. Let’s see what happens when we click on that button. To do so, click on “Network” in the developer tools window, then click the “Load More Collections” button. You should see a list of requests that were made as a result of clicking that button, as shown below.

If we look at that second request, the one to a script named browse, we’ll see that it returns all the information we need, in a convenient format called JSON. All we need to retrieve collection data is to make GET requests to https://www.harvardartmuseums.org/browse with the correct parameters.
Launch JupyterLab
- Start the Anaconda Navigatorprogram
- Click the Launchbutton underJupyter Lab
- A browser window will open with your computer’s files listed on the left hand side of the page. Navigate to the folder called PythonWebScrapethat you downloaded to your desktop and double-click on the folder
- Within the PythonWebScrapefolder, double-click on the file with the word “BLANK” in the name (PythonWebScrape_BLANK.ipynb). A pop-up window will ask you toSelect Kernal— you should select the Python 3 kernal. The Jupyter Notebook should now open on the right hand side of the page
A Jupyter Notebook contains one or more cells containing notes or code. To insert a new cell click the + button in the upper left. To execute a cell, select it and press Control+Enter or click the Run button at the top.
Making requests
To retrieve information from the website (i.e., make a request), we need to know the location of the information we want to collect. The Uniform Resource Locator (URL) — commonly know as a “web address”, specifies the location of a resource (such as a web page) on the internet.
A URL is usually composed of 5 parts:

The 4th part, the “query string”, contains one or more parameters. The 5th part, the “fragment”, is an internal page reference and may not be present.
For example, the URL we want to retrieve data from has the following structure:
protocol                    domain    path  parameters
   https www.harvardartmuseums.org  browse  load_amount=10&offset=0It is often convenient to create variables containing the domain(s) and path(s) you’ll be working with, as this allows you to swap out paths and parameters as needed. Note that the path is separated from the domain with / and the parameters are separated from the path with ?. If there are multiple parameters they are separated from each other with a &.
For example, we can define the domain and path of the collections URL as follows:
museum_domain = 'https://www.harvardartmuseums.org'
collection_path = 'browse'
collection_url = (museum_domain
                  + "/"
                  + collection_path)
print(collection_url)## 'https://www.harvardartmuseums.org/browse'Note that we omit the parameters here because it is usually easier to pass them as a dict when using the requests library in Python. This will become clearer shortly.
Now that we’ve constructed the URL we wish to interact with, we’re ready to make our first request in Python.
import requests
collections1 = requests.get(
    collection_url,
    params = {'load_amount': 10,
                  'offset': 0}
)Note that the parameters load_amount and offset are essentially another way of setting page numbers — they refer to the amount of information retrieved at one time and the starting position, respectively.
Parsing JSON data
We already know from inspecting network traffic in our web browser that this URL returns JSON, but we can use Python to verify this assumption.
## 'application/json'Since JSON is a structured data format, parsing it into Python data structures is easy. In fact, there’s a method for that!
That’s it. Really, we are done here. Everyone go home!
OK not really, there is still more we can learn. But you have to admit that was pretty easy. If you can identify a service that returns the data you want in structured from, web scraping becomes a pretty trivial enterprise. We’ll discuss several other scenarios and topics, but for some web scraping tasks this is really all you need to know.
Organizing & saving the data
The records we retrieved from https://www.harvardartmuseums.org/browse are arranged as a list of dictionaries. We can easily select the fields of arrange these data into a pandas DataFrame to facilitate subsequent analysis.
##                        copyright  contextualtextcount  ...                         colors                         people
## 0                           None                    0  ...                            NaN                            NaN
## 1                           None                    0  ...  [{'color': '#af7d4b', 'spe...  [{'role': 'Artist', 'birth...
## 2  © William Kentridge. Court...                    0  ...  [{'color': '#fae1e1', 'spe...  [{'role': 'Artist', 'birth...
## 3  © Jess - The Jess Collins ...                    0  ...  [{'color': '#967d64', 'spe...  [{'role': 'Artist', 'birth...
## 4  © Artists Rights Society (...                    0  ...  [{'color': '#e1e1e1', 'spe...  [{'role': 'Artist', 'birth...
## 5              © Richard Misrach                    0  ...                            NaN  [{'role': 'Artist', 'birth...
## 6                           None                    0  ...  [{'color': '#4b3232', 'spe...  [{'role': 'Artist', 'birth...
## 7                           None                    0  ...  [{'color': '#c8c8af', 'spe...  [{'role': 'Artist', 'birth...
## 8                           None                    0  ...  [{'color': '#fae1c8', 'spe...  [{'role': 'Artist', 'birth...
## 9                           None                    0  ...  [{'color': '#af7d4b', 'spe...  [{'role': 'Artist', 'birth...
## 
## [10 rows x 62 columns]and write the data to a file.
Iterating to retrieve all the data
Of course we don’t want just the first page of collections. How can we retrieve all of them?
Now that we know the web service works, and how to make requests in Python, we can iterate in the usual way.
records = []
for offset in range(0, 50, 10):
    param_values = {'load_amount': 10, 'offset': offset}
    current_request = requests.get(collection_url, params = param_values)
    records.extend(current_request.json()['records'])##                         copyright  contextualtextcount  ...                         people                        details
## 0                            None                    0  ...                            NaN                            NaN
## 1                            None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 2   © William Kentridge. Court...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 3   © Jess - The Jess Collins ...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 4   © Artists Rights Society (...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 5               © Richard Misrach                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 6                            None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 7                            None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 8                            None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 9                            None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 10                           None                    0  ...                            NaN                            NaN
## 11                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 12                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 13                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 14                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 15                © Cai Guo-Qiang                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 16                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 17                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 18                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 19                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 20                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 21                           None                    1  ...                            NaN  {'technical': [{'text': 'I...
## 22                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 23                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 24                           None                    0  ...                            NaN                            NaN
## 25          © 2020 Allan McCollum                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 26                           None                    0  ...                            NaN  {'coins': {'reverseinscrip...
## 27                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 28                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 29                           None                    1  ...                            NaN  {'technical': [{'text': 'I...
## 30  Art © Nancy Graves Foundat...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 31  © Jenny Holzer / Artists R...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 32  © Estate of Alfred Stiegli...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 33                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 34                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 35                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 36                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 37                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 38                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 39               © Georg Baselitz                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 40                           None                    1  ...                            NaN  {'technical': [{'text': 'X...
## 41                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 42  © Sunil Gupta, courtesy se...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 43   © Vik Muniz / Artist Righ...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 44  © Estate of Margaret Bourk...                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 45                           None                    0  ...                            NaN                            NaN
## 46                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 47                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 48                           None                    0  ...                            NaN                            NaN
## 49                           None                    0  ...  [{'role': 'Artist', 'birth...                            NaN
## 
## [50 rows x 63 columns]Exercise 0
Retrieve exhibits data
In this exercise you will retrieve information about the art exhibitions at Harvard Art Museums from https://www.harvardartmuseums.org/exhibitions
- Using a web browser (Firefox or Chrome recommended) inspect the page at https://www.harvardartmuseums.org/exhibitions. Examine the network traffic as you interact with the page. Try to find where the data displayed on that page comes from.
- Make a getrequest in Python to retrieve the data from the URL identified in step1.
- Write a loop or list comprehension in Python to retrieve data for the first 5 pages of exhibitions data.
- Bonus (optional): Convert the data you retrieved into a pandas
DataFrameand save it to a.csvfile.
Click for Exercise 0 Solution
Question #1:
museum_domain = "https://www.harvardartmuseums.org"
exhibit_path = "search/load_more"
exhibit_url = museum_domain + "/" + exhibit_path
print(exhibit_url)## 'https://www.harvardartmuseums.org/search/load_more'Question #2:
import requests
from pprint import pprint as print 
exhibit1 = requests.get(exhibit_url, params = {'type': 'past-exhibition', 'page': 1})
print(exhibit1.headers["Content-Type"])## 'application/json'Questions #3+4 (loop solution):
firstFivePages = []
for page in range(1, 6):
    records_per_page = requests.get(exhibit_url, \
        params = {'type': 'past-exhibition', 'page': page}).json()['records']
    firstFivePages.extend(records_per_page)
firstFivePages_records = pd.DataFrame.from_records(firstFivePages)
print(firstFivePages_records)##                  shortdescription                         images  ...                   publications                         videos
## 0                            None  [{'date': '2018-11-09', 'c...  ...                            NaN                            NaN
## 1                            None  [{'date': '2018-06-04', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 2                            None  [{'date': '2001-03-01', 'c...  ...                            NaN                            NaN
## 3                            None  [{'date': '2005-04-18', 'c...  ...                            NaN                            NaN
## 4                            None  [{'date': '2018-06-29', 'c...  ...                            NaN  [{'description': 'Marina I...
## 5                            None  [{'date': '2018-03-15', 'c...  ...                            NaN                            NaN
## 6                            None  [{'date': '2016-10-17', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 7                            None  [{'date': '2017-02-16', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 8                            None  [{'date': '2018-01-23', 'c...  ...                            NaN                            NaN
## 9                            None  [{'date': '2001-04-01', 'c...  ...                            NaN                            NaN
## 10                           None  [{'date': '2016-06-10', 'c...  ...                            NaN  [{'description': 'Fernando...
## 11                           None  [{'date': '2008-10-27', 'c...  ...                            NaN                            NaN
## 12                           None  [{'date': '2017-10-05', 'c...  ...                            NaN                            NaN
## 13                           None  [{'date': '2002-05-01', 'c...  ...                            NaN                            NaN
## 14                           None  [{'date': '2007-08-01', 'c...  ...                            NaN                            NaN
## 15                           None  [{'date': '2003-03-21', 'c...  ...                            NaN                            NaN
## 16                           None  [{'date': '2017-05-08', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 17                           None  [{'date': '2002-08-01', 'c...  ...                            NaN  [{'description': 'Symposiu...
## 18                           None  [{'date': '2016-07-05', 'c...  ...                            NaN                            NaN
## 19                           None  [{'date': '2017-03-29', 'c...  ...                            NaN                            NaN
## 20                           None  [{'date': '2015-03-22', 'c...  ...  [{'publicationplace': 'Cam...  [{'description': 'The Phil...
## 21                           None  [{'date': '2017-03-07', 'c...  ...                            NaN                            NaN
## 22  Harvard professor Ewa Laje...  [{'date': '2001-03-01', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 23  This exhibition features w...  [{'date': '2016-07-12', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 24                           None  [{'date': '2017-02-08', 'c...  ...                            NaN                            NaN
## 25                           None  [{'date': '2001-06-01', 'c...  ...                            NaN                            NaN
## 26                           None  [{'date': '2005-11-03', 'c...  ...                            NaN                            NaN
## 27                           None  [{'date': '2015-04-06', 'c...  ...                            NaN  [{'description': 'Wolfgang...
## 28                    In progress  [{'date': '2016-07-28', 'c...  ...                            NaN                            NaN
## 29                           None  [{'date': None, 'copyright...  ...                            NaN                            NaN
## 30                           None  [{'date': '2016-03-21', 'c...  ...                            NaN                            NaN
## 31                           None  [{'date': '2007-04-18', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 32                           None  [{'date': '2015-04-01', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 33                           None  [{'date': '2016-01-12', 'c...  ...                            NaN                            NaN
## 34                           None  [{'date': '2002-07-01', 'c...  ...                            NaN                            NaN
## 35                           None  [{'date': '2007-02-27', 'c...  ...                            NaN                            NaN
## 36                           None  [{'date': '2006-01-18', 'c...  ...                            NaN                            NaN
## 37                           None  [{'date': '2015-10-29', 'c...  ...                            NaN                            NaN
## 38                           None  [{'date': '2014-08-12', 'c...  ...  [{'publicationplace': 'Cam...  [{'description': 'Teaser: ...
## 39                           None  [{'date': '2005-11-03', 'c...  ...                            NaN                            NaN
## 40                           None  [{'date': '1989-08-01', 'c...  ...                            NaN                            NaN
## 41  This multi-component insta...  [{'date': '2014-03-31', 'c...  ...                            NaN                            NaN
## 42                           None  [{'date': '2009-11-30', 'c...  ...                            NaN                            NaN
## 43  Harvard Art Museums’ new p...  [{'date': '2012-06-29', 'c...  ...                            NaN  [{'description': 'Mark Rot...
## 44                           None  [{'date': '2014-11-10', 'c...  ...                            NaN                            NaN
## 45  In the Japanese context, a...  [{'date': '2012-07-17', 'c...  ...                            NaN                            NaN
## 46  World’s Fairs were created...  [{'date': '2005-12-21', 'c...  ...                            NaN                            NaN
## 47                           None  [{'date': '2005-11-09', 'c...  ...                            NaN                            NaN
## 48  Teaching Galleries\r\n\r\n...  [{'date': '2003-03-18', 'c...  ...                            NaN                            NaN
## 49  Teaching Galleries\r\n\r\n...  [{'date': '2005-11-02', 'c...  ...                            NaN                            NaN
## 
## [50 rows x 19 columns]Questions #3+4 (list comprehension solution):
first5Pages = [requests.get(exhibit_url, \
    params = {'type': 'past-exhibition', 'page': page}).json()['records'] for page in range(1, 6)]
from itertools import chain
first5Pages = list(chain.from_iterable(first5Pages))
import pandas as pd
first5Pages_records = pd.DataFrame.from_records(first5Pages)
print(first5Pages_records)##                  shortdescription                         images  ...                   publications                         videos
## 0                            None  [{'date': '2018-11-09', 'c...  ...                            NaN                            NaN
## 1                            None  [{'date': '2018-06-04', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 2                            None  [{'date': '2001-03-01', 'c...  ...                            NaN                            NaN
## 3                            None  [{'date': '2005-04-18', 'c...  ...                            NaN                            NaN
## 4                            None  [{'date': '2018-06-29', 'c...  ...                            NaN  [{'description': 'Marina I...
## 5                            None  [{'date': '2018-03-15', 'c...  ...                            NaN                            NaN
## 6                            None  [{'date': '2016-10-17', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 7                            None  [{'date': '2017-02-16', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 8                            None  [{'date': '2018-01-23', 'c...  ...                            NaN                            NaN
## 9                            None  [{'date': '2001-04-01', 'c...  ...                            NaN                            NaN
## 10                           None  [{'date': '2016-06-10', 'c...  ...                            NaN  [{'description': 'Fernando...
## 11                           None  [{'date': '2008-10-27', 'c...  ...                            NaN                            NaN
## 12                           None  [{'date': '2017-10-05', 'c...  ...                            NaN                            NaN
## 13                           None  [{'date': '2002-05-01', 'c...  ...                            NaN                            NaN
## 14                           None  [{'date': '2007-08-01', 'c...  ...                            NaN                            NaN
## 15                           None  [{'date': '2003-03-21', 'c...  ...                            NaN                            NaN
## 16                           None  [{'date': '2017-05-08', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 17                           None  [{'date': '2002-08-01', 'c...  ...                            NaN  [{'description': 'Symposiu...
## 18                           None  [{'date': '2016-07-05', 'c...  ...                            NaN                            NaN
## 19                           None  [{'date': '2017-03-29', 'c...  ...                            NaN                            NaN
## 20                           None  [{'date': '2015-03-22', 'c...  ...  [{'publicationplace': 'Cam...  [{'description': 'The Phil...
## 21                           None  [{'date': '2017-03-07', 'c...  ...                            NaN                            NaN
## 22  Harvard professor Ewa Laje...  [{'date': '2001-03-01', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 23  This exhibition features w...  [{'date': '2016-07-12', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 24                           None  [{'date': '2017-02-08', 'c...  ...                            NaN                            NaN
## 25                           None  [{'date': '2001-06-01', 'c...  ...                            NaN                            NaN
## 26                           None  [{'date': '2005-11-03', 'c...  ...                            NaN                            NaN
## 27                           None  [{'date': '2015-04-06', 'c...  ...                            NaN  [{'description': 'Wolfgang...
## 28                    In progress  [{'date': '2016-07-28', 'c...  ...                            NaN                            NaN
## 29                           None  [{'date': None, 'copyright...  ...                            NaN                            NaN
## 30                           None  [{'date': '2016-03-21', 'c...  ...                            NaN                            NaN
## 31                           None  [{'date': '2007-04-18', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 32                           None  [{'date': '2015-04-01', 'c...  ...  [{'publicationplace': 'Cam...                            NaN
## 33                           None  [{'date': '2016-01-12', 'c...  ...                            NaN                            NaN
## 34                           None  [{'date': '2002-07-01', 'c...  ...                            NaN                            NaN
## 35                           None  [{'date': '2007-02-27', 'c...  ...                            NaN                            NaN
## 36                           None  [{'date': '2006-01-18', 'c...  ...                            NaN                            NaN
## 37                           None  [{'date': '2015-10-29', 'c...  ...                            NaN                            NaN
## 38                           None  [{'date': '2014-08-12', 'c...  ...  [{'publicationplace': 'Cam...  [{'description': 'Teaser: ...
## 39                           None  [{'date': '2005-11-03', 'c...  ...                            NaN                            NaN
## 40                           None  [{'date': '1989-08-01', 'c...  ...                            NaN                            NaN
## 41  This multi-component insta...  [{'date': '2014-03-31', 'c...  ...                            NaN                            NaN
## 42                           None  [{'date': '2009-11-30', 'c...  ...                            NaN                            NaN
## 43  Harvard Art Museums’ new p...  [{'date': '2012-06-29', 'c...  ...                            NaN  [{'description': 'Mark Rot...
## 44                           None  [{'date': '2014-11-10', 'c...  ...                            NaN                            NaN
## 45  In the Japanese context, a...  [{'date': '2012-07-17', 'c...  ...                            NaN                            NaN
## 46  World’s Fairs were created...  [{'date': '2005-12-21', 'c...  ...                            NaN                            NaN
## 47                           None  [{'date': '2005-11-09', 'c...  ...                            NaN                            NaN
## 48  Teaching Galleries\r\n\r\n...  [{'date': '2003-03-18', 'c...  ...                            NaN                            NaN
## 49  Teaching Galleries\r\n\r\n...  [{'date': '2005-11-02', 'c...  ...                            NaN                            NaN
## 
## [50 rows x 19 columns]Parsing HTML if you have to
GOAL: To retrieve information in HTML format and organize it into a spreadsheet.
- Make a request to the website server to retrieve the HTML
- Inspect the HTML to determine the XPATHs that point to the data we want
- Extract the information from the location the XPATHs point to and store in a dictionary
- Convert from a dictionary to a .csv file
As we’ve seen, you can often inspect network traffic or other sources to locate the source of the data you are interested in and the API used to retrieve it. You should always start by looking for these shortcuts and using them where possible. If you are really lucky, you’ll find a shortcut that returns the data as JSON. If you are not quite so lucky, you will have to parse HTML to retrieve the information you need.
Document Object Model (DOM)
To parse HTML, we need to have a nice tree structure that contains the whole HTML file through which we can locate the information. This tree-like structure is the Document Object Model (DOM). DOM is a cross-platform and language-independent interface that treats an XML or HTML document as a tree structure wherein each node is an object representing a part of the document. The DOM represents a document with a logical tree. Each branch of the tree ends in a node, and each node contains objects. DOM methods allow programmatic access to the tree; with them one can change the structure, style or content of a document. The following is an example of DOM hierarchy in an HTML document:

Retrieving HTML
When I inspect the network traffic while interacting with https://www.harvardartmuseums.org/calendar I don’t see any requests that return JSON data. The best we can do appears to be to return HTML.
To retrieve data on the events listed in the calender, the first step is the same as before: we make a get request.
calendar_path = 'calendar'
calendar_url = (museum_domain # recall that we defined museum_domain earlier
                  + "/"
                  + calendar_path)
print(calendar_url)## 'https://www.harvardartmuseums.org/calendar'As before, we can check the headers to see what type of content we received in response to our request.
## 'text/html; charset=UTF-8'Parsing HTML using the lxml library
Like JSON, HTML is structured; unlike JSON, it is designed to be rendered into a human-readable page rather than simply to store and exchange data in a computer-readable format. Consequently, parsing HTML and extracting information from it is somewhat more difficult than parsing JSON.
While JSON parsing is built into the Python requests library, parsing HTML requires a separate library. I recommend using the HTML parser from the lxml library; others prefer an alternative called beautifulsoup4.
Using XPath to extract content from HTML
XPath is a tool for identifying particular elements within a HTML document. The developer tools built into modern web browsers make it easy to generate XPaths that can be used to identify the elements of a web page that we wish to extract.
We can open the HTML document we retrieved and inspect it using our web browser.


Once we identify the element containing the information of interest we can use our web browser to copy the XPath that uniquely identifies that element.

Next we can use Python to extract the element of interest:
Let’s just extract the second element in our events list.
Once again, we can use a web browser to inspect the HTML we’re currently working with - from the second event - and to figure out what we want to extract from it.
As before, we can use our browser to find the xpath of the elements we want.

(Note that the html.open_in_browser function adds enclosing html and body tags in order to create a complete web page for viewing. This requires that we adjust the xpath accordingly.)
By repeating this process for each element we want, we can build a list of the xpaths to those elements.
elements_we_want = {'figcaption': 'div/figure/div/figcaption',
                    'date': 'div/div/header/time',
                    'title': 'div/div/header/h2/a',
                    'time': 'div/div/div/p[1]/time',
                    'description': 'div/div/div/p[3]'
                    }Finally, we can iterate over the elements we want and extract them.
second_event_values = {}
for key in elements_we_want.keys():
    element = second_event_html.xpath(elements_we_want[key])[0]
    second_event_values[key] = element.text_content().strip()
print(second_event_values)## {'date': 'Tuesday, February 9, 2021',
##  'description': 'Curator Rachel Saunders discusses the film Edo Avant-Garde '
##                 'with director Linda Hoaglund.',
##  'figcaption': 'Still from Edo Avant-Garde (2019). Master of the I’nen Seal '
##                '(1600–1630), Sōtatsu school, Trees, Japanese, Edo period, '
##                'mid-17th century. Pair of six-panel folding screens; ink, '
##                'colors, and gold on paper. Freer Gallery of Art, Washington, '
##                'D.C., Charles Lang Freer Endowment, F1962.30. Image courtesy '
##                'of Linda Hoaglund.',
##  'time': '7:00pm - 8:00pm',
##  'title': 'Edo Avant-Garde'}Iterating to retrieve content from a list of HTML elements
So far we’ve retrieved information only for the second event. To retrieve data for all the events listed on the page we need to iterate over the events. If we are very lucky, each event will have exactly the same information structured in exactly the same way and we can simply extend the code we wrote above to iterate over the events list.
Unfortunately, not all these elements are available for every event, so we need to take care to handle the case where one or more of these elements is not available. We can do that by defining a function that tries to retrieve a value and returns an empty string if it fails.
If you’re not familiar with Python functions, here’s the basic syntax:
# anatomy of a function
def name_of_function(arg1, arg2, ...argn):  # define the function name and arguments
    <body of function>   # specify calculations
    return <result>      # output result of calculationsHere’s an example of a simple function:
## 16Here’s a function to perform our actual task:
def get_event_info(event, path):
    try:
        info = event.xpath(path)[0].text_content().strip()
    except:
        info = ''
    return infoArmed with this function, we can iterate over the list of events and extract the available information for each one.
all_event_values = {}
for key in elements_we_want.keys():
    key_values = []
    for event in events_list_html: 
        key_values.append(get_event_info(event, elements_we_want[key]))
    all_event_values[key] = key_valuesFor convenience we can arrange these values in a pandas DataFrame and save them as .csv files, just as we did with our exhibitions data earlier.
Exercise 1
parsing HTML
In this exercise you will retrieve information about the physical layout of the Harvard Art Museums. The web page at https://www.harvardartmuseums.org/visit/floor-plan contains this information in HTML from.
- Using a web browser (Firefox or Chrome recommended) inspect the page at https://www.harvardartmuseums.org/visit/floor-plan. Copy the - XPathto the element containing the list of level information. (HINT: the element if interest is a- ul, i.e.,- unordered list.)
- Make a - getrequest in Python to retrieve the web page at https://www.harvardartmuseums.org/visit/floor-plan. Extract the content from your request object and parse it using- html.fromstringfrom the- lxmllibrary.
- Use your web browser to find the XPaths to the facilities housed on level one. Use Python to extract the text from thoseXpaths.
- Bonus (optional): Write a for loop or list comprehension in Python to retrieve data for all the levels.
Click for Exercise 1 Solution
Question #2:
from lxml import html
floor_plan = requests.get('https://www.harvardartmuseums.org/visit/floor-plan')
floor_plan_html = html.fromstring(floor_plan.text)Question #3:
level_one = floor_plan_html.xpath('/html/body/main/section/ul/li[5]/div[2]/ul')[0]
print(type(level_one))## <class 'lxml.html.HtmlElement'>## 6level_one_facilities = floor_plan_html.xpath('/html/body/main/section/ul/li[5]/div[2]/ul/li')
print(len(level_one_facilities))## 6## ['Admissions', 'Collection Galleries', 'Courtyard', 'Shop', 'Café', 'Coatroom']Question #4:
## 6all_levels_facilities = []
for level in all_levels:
    level_facilities = []
    level_facilities_collection = level.xpath('div[2]/ul/li')
    for level_facility in level_facilities_collection:
        level_facilities.append(level_facility.text_content())
    all_levels_facilities.append(level_facilities)
print(all_levels_facilities)## [['Conservation Center / Lightbox Gallery'],
##  ['Art Study Center'],
##  ['Collection Galleries',
##   'Special Exhibitions Gallery',
##   'University Galleries'],
##  ['Collections Galleries'],
##  ['Admissions',
##   'Collection Galleries',
##   'Courtyard',
##   'Shop',
##   'Café',
##   'Coatroom'],
##  ['Lower Lobby',
##   'Lecture Halls',
##   'Seminar Room',
##   'Materials Lab',
##   'Coatroom',
##   'Offices']]Scrapy: for large / complex projects
Scraping websites using the requests library to make GET and POST requests, and the lxml library to process HTML is a good way to learn basic web scraping techniques. It is a good choice for small to medium size projects. For very large or complicated scraping tasks the scrapy library offers a number of conveniences, including asynchronous retrieval, session management, convenient methods for extracting and storing values, and more. More information about scrapy can be found at https://doc.scrapy.org.
Browser drivers: a last resort
It is sometimes necessary (or sometimes just easier) to use a web browser as an intermediary rather than communicate directly with a web service. This method of using a “browser driver” has the advantage of being able to use the javascript engine and session management features of a web browser; the main disadvantage is that it is slower and tends to be more fragile than using requests or scrapy to make requests directly from Python. For small scraping projects involving complicated sites with CAPTHAs or lots of complicated javascript using a browser driver can be a good option. More information is available at https://www.seleniumhq.org/docs/03_webdriver.jsp.
Wrap-up
Feedback
These workshops are a work in progress, please provide any feedback to: help@iq.harvard.edu
Resources
- IQSS
- Workshops: https://www.iq.harvard.edu/data-science-services/workshop-materials
- Data Science Services: https://www.iq.harvard.edu/data-science-services
- Research Computing Environment: https://iqss.github.io/dss-rce/
 
- HBS
- Research Computing Services workshops: https://training.rcs.hbs.org/workshops
- Other HBS RCS resources: https://training.rcs.hbs.org/workshop-materials
- RCS consulting email: mailto:research@hbs.edu