KEMBAR78
Site Scraper | PDF | Web Page | Websites
0% found this document useful (0 votes)
418 views10 pages

Site Scraper

Web scrapers are conventionally used to extract data from web documents. Our tool SiteScraper gets around this issue by automatically learning XPath-based patterns to identify where a user-defined list of strings occurs in a given web page set. The bulk of the web's data is obscured in (X)HTML by a layer of presentation, with different styles for each website.

Uploaded by

pantelis
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF or read online on Scribd
0% found this document useful (0 votes)
418 views10 pages

Site Scraper

Web scrapers are conventionally used to extract data from web documents. Our tool SiteScraper gets around this issue by automatically learning XPath-based patterns to identify where a user-defined list of strings occurs in a given web page set. The bulk of the web's data is obscured in (X)HTML by a layer of presentation, with different styles for each website.

Uploaded by

pantelis
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF or read online on Scribd
You are on page 1/ 10

Web Scraping Made Simple with SiteScraper

Richard Baron Penman


The University of Melbourne
Victoria, Australia
rbp@csse.unimelb.edu.au

ABSTRACT the advantage of this and defined website APIs to add value
The web contains a huge amount of data, but most is not to their service. However the bulk of the web’s data is ob-
in an immediately machine-readable form for indexing or scured in (X)HTML by a layer of presentation, with differ-
semantic processing. Web scrapers are conventionally used ent styles for each website. Additionally, these styles change
to extract data from web documents, by parsing these and over time as each website is updated with additional content
extracting out data points relative to their structure. Docu- or a new layout. This makes working with data across web-
ment mark-up is often volatile, however, and each change sites cumbersome.
to the mark-up of a given site (e.g. the addition of ad- This paper describes a tool called SiteScraper3 that
vertisements, or the adoption of a new format) will mean aims to address this problem. This is a typical workflow
the scraper needs to be manually updated. Our tool Site- with SiteScraper:
Scraper gets around this issue by automatically learning • A user wants to access city temperatures directly from
XPath-based patterns to identify where a user-defined list bom.gov.au (the Australian Bureau of Meteorology).
of strings occurs in a given web page set. To train, Site-
Scraper is given a small set of example URLs from a given • They find a few webpages with city temperatures at
website and the strings that the user wishes to scrape from bom.gov.au and give SiteScraper the URLs and the
each. This is used to generate an XPath query describing temperatures displayed in each as a list of strings.
where to find the desired strings, which can be applied to
scrape these from any webpage with a similar structure. Im- • SiteScraper retrieves and parses the webpages and
portantly, the user interacts with SiteScraper at the level finds where the temperatures strings are located in the
of content, not mark-up, so no specialist knowledge is re- HTML source.
quired, and if the structure of a website is changed but the
content stays constant, then SiteScraper can automati- • These locations are examined and a model of the gen-
cally retrain its model without human intervention. In our eral pattern of occurrence is created that will locate
tests SiteScraper attained an average precision of 1.00 and the weather strings.
an average recall of 0.97 over 700 webpages across a range
of popular websites. • Now the user can provide a bom.gov.au URL and
SiteScraper will automatically apply the model to
Categories and Subject Descriptors scrape the temperatures, e.g. on an hourly basis to
generate a temperature graph from.
H.3.1 [Content Analysis and Indexing]: Abstracting
methods; H.2.8 [Information Systems]: Data mining Throughout this process the user does not need to concern
herself with the structure of a webpage but can focus in-
General Terms stead on the content. The penalty for this ease of use is
web scraping, XPath that SiteScraper can only reliably be applied to invariant
data with variant structure. Fortunately database-backed
websites that inject their content into a common template
Keywords are popular, so this restriction is not unreasonable.
web scraping, semantic web The original motivation for SiteScraper was for use in
the ILIAD project [1], which is an attempt to enhance in-
1. INTRODUCTION formation access over Linux troubleshooting-related threads
According to Tim Berners-Lee the World Wide Web is from a range of web forums. We originally created a set of
evolving from a web of documents into a web of data [2]. Perl scripts to scrape the data, with a different script for
Companies such as Amazon1 and Yahoo2 have recognised each forum. This got us the data we wanted but was time
consuming to create and didn’t provide an immediate so-
1
http://aws.amazon.com/associates lution for scraping additional forum data from new sites.
2
http://developer.yahoo.com The envisioned ILIAD system would also need to periodi-
Copyright is held by the author/owner(s). cally re-crawl these forums for new content. This presents
WWW2009, April 20-24, 2009, Madrid, Spain. 3
. http://code.google.com/p/sitescraper
the problem of forums updating their structure and break- environment. We found Chickenfoot to run very slowly,
ing our scripts, which would then need to be manually fine- which may be a consequence of running in the browser, and
tuned. We wanted to automate ILIAD as much as possible would make scraping the amount of data we are interested
and make it easier to scrape new websites and possible to in (millions of threads) impractical.
deal with changing webpage structures. Chickenfoot is primarily aimed at interaction with the
In developing SiteScraper, we identified three ways in browser but can also be used for scraping with the find()
which a web page set (i.e. the data served from a given command. Here is an example script for scraping search
domain or set of URLs) can be updated: results from a Google search:
1. The content changes while the structure stays the same go("www.google.com")
(e.g. a weather site with different temperatures each enter("chickenfoot")
day displayed in the same template) click("Google Search")

2. The content stays the same while the structure changes for(m=find("link"); m.hasMatch; m=m.next) {
(e.g. a web forum where the discussion has ended but var link = m.element;
the layout is updated) if(link.getAttribute("class") == "l") {
output(link.href);
3. Both the content and structure change (e.g. an online }
shop with new products and a new layout to make }
shopping easier)
This script searches Google for chickenfoot and returns the
Scrapers generally focus on the first case of changing con- links that have a class of l , which from examining the Google
tent with fixed structure [6]. The second case of changing HTML source is an attribute unique to the search result
structure is where most scrapers will fail but SiteScraper links.
will thrive. In the third case where both content and struc- The Chickenfoot functions are very high level so this is
ture change, SiteScraper offers a partial solution for small perhaps a better solution than our original Perl scripts, but
changes for monotonically-increasing data (see Section 7). it is still dependant on the structure of the webpage and so
Even in the instance of the content changing too signifi- does not solve the problem of dealing with changing webpage
cantly for SiteScraper to generalise over, it is generally structure. Additionally, the scripts require direct analysis of
possible for a non-expert to annotate new data and retrain the HTML mark-up, and thus require expert knowledge.
a model within minutes.
SiteScraper is simple to train, can handle changing web 2.2 Piggy Bank
content and/or changing structure, is open source, and is Piggy Bank [4] is a Firefox extension that aims to be a
written in Python so it is platform independent and easy to bridge between the semantic web and what we have now.
distribute. The idea is that users submit web scraping scripts along
In the remainder of this paper, we survey the major public- with a regular expression for the URLs it is relevant to.
domain scrapers (Section 2), and show a brief tutorial to Then when the user navigates to a matching webpage Piggy
illustrate the use of SiteScraper (Section 3). Then we Bank displays the scraped semantic data. It is a fine idea
describe the technical details of SiteScraper (Section 4), if the work for creating and maintaining scraping scripts
and present an extensive evaluation of SiteScraper’s con- could be distributed around the world, but unfortunately
siderable utility over a number of domains (Sections 5 and the community is not there yet, so Piggy Bank does not
6). Finally, we discuss the implications of this work, and solve our scraping problem. At the time of writing only
future directions for development efforts (Section 7), before eleven scripts have been submitted.4
concluding the paper (Section 8).
2.3 Sifter
2. PREVIOUS WORK Sifter [5] builds on top of Piggy Bank’s infrastructure
Many people have the need to extract data from the web but tries to scrape semantic data automatically from any
and so a number of scraping tools are already available. This webpage. However the scraper has limited scope and only
section will survey the features of some of the most well- looks for the biggest group of links in a webpage. This is
known open source web scrapers available and explain why relevant to a commerce site like Amazon where the books
we felt the need to develop another one. are a series of links, but usually we will not want to extract
the biggest group of links. For instance the biggest group
2.1 Chickenfoot of links in a web forum is generally navigation-related and
Chickenfoot [3] is a Firefox extension that adds high- not directly relevant to a given thread in isolation. Conse-
level functions to Javascript that can be executed in the quently, Sifter does not solve our scraping problem.
browser. Embedding in the browser makes Chickenfoot
easy to distribute, and additionally supports interaction with 2.4 Scrubyt
Javascript. SiteScraper only examines the raw HTML so Scrubyt5 is a Ruby library that provides the most sim-
it is unable to interpret the effect of Javscript events or ilar functionality to SiteScraper of the tools surveyed.
AJAX calls. This turned out not to be an issue in our data, Scrubyt can be given an example string and will then lo-
as all of our websites render properly without Javascript. cate the string in a webpage and extract all similar items
However this may be a consequence of us choosing popular
sites which are expected to be better engineered than aver- 4
http://simile.mit.edu/wiki/Category:Javascript_
age to cater for a larger audience. The drawbacks of em- screen_scraper
5
bedding in the browser are the limitations imposed by the http://scrubyt.org
from the webpage. This is similar to Sifter’s goal of ex- In this example TemplateMaker was able to automatically
tracting product lists but Scrubyt allows control over what model the dynamic content and successfully extract Richard
group to extract and is not limited to links. and Tim from the test string. This simple process makes
Here is the Scrubyt version of the Chickenfoot exam- TemplateMaker the easiest tool to train in this survey.
ple to scrape Google search results: TemplateMaker works well for trivial strings like those
given in the example. However we found it does not scale
google_data = Scrubyt::Extractor.define do for larger strings from real webpages. When we tried mod-
fetch "http://www.google.com/ncr"
eling a LinuxQuestions thread with TemplateMaker, the
fill_textfield "q", "ruby"
submit script stalled for a few minutes before throwing a regular ex-
link "Ruby Programming Language" do pression exception for trying to match too many terms. To
url "href", :type => :attribute avoid this exception we then tried a simpler hand-crafted
end set of webpages and from this TemplateMaker managed
end to return a third of the dynamic data. Scraping just a third
of the data is poor performance for a relatively simple web-
This script searches Google for ruby and then uses the known page.
title for the official Ruby website to automatically build a From examining the generated model we found the rea-
model of the search results. It then extracts the links from son for the poor performance was that TemplateMaker
this model. did not handle duplicates well. For instance in our example
This is a big improvement from the Chickenfoot ex- webpage when TemplateMaker was comparing the strings
ample because it is independent of the webpage structure Richard and Tim it interpreted that the second character
(apart from specifying q as the name of the search box). i was static while the surrounding text was dynamic, and
However the results are mediocre. In our test this script so the generated model looked for content surrounding an i.
only returns the first three links because the search results The fundamental problem is TemplateMaker aims to be
are then interrupted by a YouTube video. Scrubyt, like content neutral and so treats its input as a series of char-
Sifter, can only handle contiguous lists, which limits its acters. Consequently it can not use the HTML structure to
application. Because of this limitation Scrubyt could also determine that the text blocks for Richard and Tim should
not scrape the LinuxQuestions web forum because the posts be treated as a single unit.
were separated by titles and user data. TemplateMaker is an interesting tool that takes a novel
Scrubyt can survive a structural update because it is a approach to web scraping. TemplateMaker only requires
content-based scraper, however the types of scraping possi- example URLs to train, so it could easily be automatically
ble were too limited for our use. retrained after a website structural update. However through
our tests we found that TemplateMaker is unsuitable for
2.5 WWW-Mechanize scraping large documents because of performance. We also
WWW-Mechanize6 is a Perl library for simulating a web found it too brittle in its handling of duplicates to be used
browser session. It supports cookies, form filling, link navi- reliably for web scraping.
gation, but, like SiteScraper, not Javascript. It does not
support high-level scraping itself but is often used as part Of these tools only Scrubyt and TemplateMaker can
of a scraping solution because of its ability in navigating a address the problem of changing webpage structure. How-
website. ever neither of these tools are flexible enough for our scrap-
ing needs. Additionally none of the tools surveyed take ad-
2.6 TemplateMaker vantage of features from examining a set of similar webpages.
TemplateMaker7 is a Python library that takes a dif- For these reasons we felt justified building another general-
ferent approach to any of the other tools surveyed. Like purpose web scraping tool.
SiteScraper, TemplateMaker is first trained over a set
of example webpages. However unlike SiteScraper, Tem- 3. A BRIEF SITESCRAPER TUTORIAL
plateMaker does not require their associated text chunks.
Before launching into the implementation details let us
Instead, TemplateMaker examines the differences between
present a description of SiteScraper usage in the form of
the HTML of each webpage to determine what content is
a simple command line interaction, as shown in Figure 1.
static and what is dynamic. The dynamic content is as-
First, SiteScraper requires a small sample set of seed
sumed to be what is interesting in a webpage and what
documents, each of which is paired with a list of text
the user wants to extract, so TemplateMaker generates
chunks. The text chunks associated with a given seed doc-
a model to scrape this data. Here is an example of how
ument represent the data points in that document that the
TemplateMaker is used:
user wishes to scrape, and are intended to be copied from the
>>> from templatemaker import Template browser-rendered version of the document. The first three
>>> t = Template() lines in Figure 1 specify two seed documents (with fictional
>>> t.learn("<b>David and Richard</b>") URLs) and their associated text chunks. Note that while
>>> t.learn("<b>1 and 2</b>") in this example the number of text chunks is fixed across
>>> t.as_text("[]")
the documents, this is not a requirement of the system, and
"<b>[] and []</b>"
>>> t.extract("<b>Richard and Tim</b>") wouldn’t be the case, e.g. when specifying the individual
("Richard", "Tim") posts in variable-length user form threads.
Second, the user imports SiteScraper and generates a
6
http://search.cpan.org/dist/WWW-Mechanize model from the set of paired seed documents and text chunks.
7
http://code.google.com/p/templatemaker Finally, the user applies the trained model to a test docu-
>>> input_1 = "bom.gov.au/1", ["22", "22", "26"] <html>
>>> input_2 = "bom.gov.au/2", ["19", "25", "24"] <body>
>>> input = input_1, input_2 <span class="heading">
>>> Weather
>>> import sitescraper as ss forecast
>>> model = ss.trainModel(input) </span>
>>> <table>
>>> ss.applyModel("bom.gov.au/1", model) <tr>
["22", "22", "26"] <th>City</th>
>>> ss.applyModel("bom.gov.au/3", model) <th>Today</th>
["24", "29", "28"] <th>Tomorrow</th>
</tr>
<tr>
Figure 1: Example command line interaction with <td>Melbourne</td>
<td>20</td>
SiteScraper <td>22</td>
</tr>
<tr>
ment by simply specifying the URL and the trained model. <td>Sydney</td>
SiteScraper returns a list of text chunks identified in the <td>25</td>
test document. In Figure 1, the user can be seen to have <td>22</td>
</tr>
reapplied the trained model to one of the seed document
<tr>
URLs to confirm the consistency of the model, and then to <td>Adelaide</td>
an unseen test document from the same site. <td>26</td>
Note that while this example is via the command line and <td>26</td>
requires basic knowledge of Python, we have also developed </tr>
a simple web interface to enable less programming-inclined </table>
<span></span>
users to use the system easily.
</body>
</html>
4. METHODOLOGY
In this section, we present the full pipeline architecture Figure 2: Example HTML document (weather fore-
of SiteScraper, from retrieving and parsing each seed and cast, Doc1 )
test document, to identifying the document extents within
each seed document that match with the text chunk(s), and
generating the model in the form of a generalised XPath BeautifulSoup’s native representation because it supports
describing the positions of the text chunks in the seed doc- more powerful searching and traversing. To make string
uments. matching easier in later stages we prune this tree to remove
To help illustrate the stages involved in this process we content that is not directly displayed in the browser and so
will use the simple HTML document in Figure 2 as an on- can not be selected by the user, such as Javascript functions
going seed document example (a rendered version is pre- and meta tags (of which there are none in our example).
sented in Figure 3). Assuming that the user is interested Now we have the parsed HTML document stored in an
in scraping only the temperatures for tomorrow across the ElementTree, for each seed document, we create a reverse-
three cities, the list of text chunks would be h22,22,26i. indexed hashtable with strings as keys and element paths
as values for efficiency in the later stages of processing. To
4.1 Parse represent the matching locations we use XPath, which is an
The first step is to parse each HTML document into a XML selection language defined by the W3C.11 XPath can
form which is more amenable to both positional indexing be used to match a single element or generalised to match
(seed and test documents) and pattern generation (seed doc- a set of elements, and is well supported by our chosen XML
uments only). This takes the form of partitioning the doc- library lxml. The hashtable for our example weather web-
ument into individual nodes, as defined by the elements in page is shown in Table 1, noting the nesting of elements (e.g.
the (X)HTML structure, and identifying the text associated Melbourne 20 22 vs. Melbourne) and also the occurrence of
with each. The underlying assumption here is that each text some strings in multiple locations (e.g. 22 ).
chunk follows element boundaries, and that we simply need
to identify the relative position of the element which best 4.2 Search
defines the extent of each text chunk. Note that the ele- The second step is to identify the element which con-
ments form a hierarchy relative to the nesting of the HTML tains each text chunk associated with the corresponding
mark-up, and that both internal and terminal elements are seed document. Unfortunately a direct string query into
indexed for their text content. our string hashtable will in general not work, as the in-
To perform the element partitioning, we chose the Python put is a list of text chunks copied from a rendered web-
lxml module,8 which uses BeautifulSoup9 to resolve bad page while SiteScraper operates over the original HTML.
mark-up and then stores the results in a tree using the El- For instance, the heading in the example webpage HTML is
ementTree module.10 We chose to use ElementTree over Weather\n\rforecast but in the browser the end-of-line char-
8 acters (\n and \r ) are ignored and the heading becomes just
http://codespeak.net/lxml
9 Weather forecast (see Figure 3). Another case is when XML
http://www.crummy.com/software/BeautifulSoup
10 11
http://effbot.org/zone/element-index.htm http://www.w3.org/TR/xpath
Key Value
Weather\n\rforecast /html/body/span[1]
City /html/body/table/tr[1]/th[1]
Today /html/body/table/tr[1]/th[2]
Tomorrow /html/body/table/tr[1]/th[3]
City Today Tomorrow /html/body/table/tr[1]/td
Melbourne /html/body/table/tr[2]/td[1]
20 /html/body/table/tr[2]/td[2]
22 /html/body/table/tr[2]/td[3], /html/body/table/tr[3]/td[3]
Melbourne 20 22 /html/body/table/tr[2]/td
26 /html/body/table/tr[4]/td[2], /html/body/table/tr[4]/td[3]
..
.

Table 1: A fragment of the location hashtable for Doc1

turned by our modified LCS algorithm becomes:


P 2 P 2
i matching length i − i non-matching lengthi
P
( i lengthi )2
The resulting similarity score is in the interval [−1, 1], with
the majority less than zero because most string pairs will
have more non-matching parts than matching.
In the case of us matching the heading strings of
Weather\n\rforecast from the HTML and Weather forecast
from the browser, the score would be as follows:

matching = {Weather, forecast}


non-matching = {\n\r}
Figure 3: Rendered web page for Doc1 2
similarity score = 7 +8
2
−22
= 0.377
172

A score of 0.377 in this case shows that the strings have


characters such as &lt; are used in the HTML, which will be more matching parts than non-matching. These strings are
rendered as < by the browser. Additionally, the hashtable not a perfect match (because of the newline characters) but
created in the previous step indexes the string associated are certainly the closest match in the document for Weather
with each element, but the user may not copy all the text forecast.
within a tag but just a subset. Here is the result of comparing the heading with an unre-
In performing this search, we use the elements identified lated string of 20 for today’s temperature in Melbourne:
by the document parser in the first step of processing, and
generate a lattice, comparing the string associated with each matching = {}
seed document element, with each of the text chunks asso- non-matching = {Weather forecast, 20}
2 2
−22
ciated with that document. As such, the granularity of the similarity score = 0 −16
182
= −0.802
sub-document strings we compare each text chunk to is de-
fined by the document mark-up. The score of −0.802 is close to the minimum of −1, which
To calculate the similarity between strings we initially shows these strings are highly unrelated.
tried using the basic Longest Common Substring (LCS) al- Locating the Weather forecast heading in the HTML is
gorithm, which finds the longest common sequence between straightforward in this example because all the other strings
two strings. Ultimately, however, we found this method un- are temperatures and clearly unrelated. However if we try
suitable in its original form, as even a valid match in our to locate today’s temperature in Adelaide, 26 , then we face
data may have extra characters embedded in it (such as the problem of ambiguity. From the hashtable in Table 1,
newlines) that would break up the matching substring. we can see that 26 has two matching locations for today
As a result, we developed a scoring mechanism based on and tomorrow in Adelaide so if SiteScraper tries to build
the output of the LCS algorithm, by first finding all the a model based on just this single example then it will not
matching and non-matching substrings with the Python dif- know which location to pick. To help disambiguate in cases
flib module12 . We then square the substring lengths (to such as this, it is best to train SiteScraper over a number
bias towards longer substrings) and deduct the total non- of seed documents.
matching lengths from the matching lengths; all lengths are Assume we further provided SiteScraper with the sec-
calculated in characters. This result is then normalised by ond seed document shown in Figure 4 and the text chunk
dividing by the square of the sum of all the matching and list h19,25,24i. In this second example, the third text chunk
non-matching lengths so that scores from different strings (TC3 = 24 ) uniquely identifies tomorrow’s temperature Ade-
can be compared meaningfully. In summary, the score re- laide and provided the basis for disambiguating the third
text chunk in our first example. Conversely, the combina-
12
http://docs.python.org/library/difflib.html tion of the first and second text chunks for the first and
/html/body/table/tr[2]/td[3]
This XPath points to the second temperature, but what
Sifter wants is a bounding box around a related set of
data, in this case all of tomorrow’s temperatures. To match
this set Sifter needs to relax the specificity of the XPath
to increase coverage and produce an XPath equivalent to:
/html/body/table/tr/td[2]
In this new XPath the table row element tag lacks a specific
index so it will match all rows in the table.
SiteScraper’s abstraction needs differ from those for
Sifter, but the general idea still applies. At this stage
SiteScraper has a set of XPaths to the matching content
Figure 4: Rendered web page for Doc2
and needs to decide which XPaths represent content that are
related, as opposed to finding spuriously matching content.
Similarity Doc1 Doc2 Total
For simple data scraping cases such as tomorrow’s temper-
Melbourne tomorrow 1 0 1 ature in Melbourne this abstraction stage is not necessary,
Sydney tomorrow 1 1 2 however it becomes necessary for more complex webpages
Adelaide today 0 1 1 where the amount of data varies.
SiteScraper will only abstract a set of XPaths if they
Table 2: Similarity results for different positions in
satisfy either of the following conditions:
Doc1 and Doc2 for TC2 (tomorrow’s temperature in
Sydney, i.e. 22 and 25 , resp.) 1. The locations of the input strings are sequentially or-
dered. The reasoning is that if there are gaps between
locations then the user is trying to select a subset and
second seed documents allows us to disambiguate the posi- does not want them all. For example if the input for
tions of these data points in the respective documents. Doc1 was 22 and 26 , which skips Sydney, then the
Procedurally, SiteScraper disambiguates the positions user must explicitly want just temperatures from Mel-
for the text chunks across multiple seed documents as fol- bourne and Adelaide.
lows. It first calculates the similarity for each pairing of
text chunk and element in a given seed document. It then 2. The number of siblings for the abstracted tag varies
calculates the total similarity for each labelled edge by sum- across the example documents, to show that the field
ming across the similarity lattices — e.g. for the pairing is dynamic. The example webpages for Doc1 and Doc2
of /html/body/table/tr[2]/td[3] and text chunk 1 across the have just three rows so all of tomorrow’s temperatures
two seed documents. The location with the highest total could simply be extracted with three XPaths. How-
similarity for a given text chunk is considered to be the ever if a further example was given from the website
best match. Table 2 shows the results of these similarity that had ten cities then the XPaths would need to be
calculations for the case of the second text chunk (TC2 ) abstracted to match all the cities in both cases.
across Doc1 and Doc2 , for the three positions where there Once SiteScraper has determined all the potential ab-
is at least one match. On the basis of the indicated cal- stractions it must choose the set that matches the maximum
culations, SiteScraper would correctly identify TC2 as number of strings. To do this it orders the abstractions by
corresponding to tomorrow’s temperature in Sydney, i.e. the number of locations they successfully match. Each loca-
/html/body/table/tr[3]/td[3] tion can only match once in a given document, so abstrac-
The more seed documents (and associated text chunks) tions that overlap with a higher-ranking one are discarded.
the user provides to SiteScraper, the more likely that du- To illustrate this process, consider the case of providing
plicates can be resolved and the correct locations isolated. SiteScraper with the single seed document Doc1 and all
For some websites the desired data will appear at multiple six temperature strings for today and tomorrow. From this,
locations on every webpage — for instance tomorrow’s tem- SiteScraper would find abstraction possibilities along the
perature may be at the top of the page and again further two columns and the three rows. The rankings for these re-
down as part of the weekly forecast. In this case, choosing sults are shown in Table 3. After filtering out the duplicates,
either location is valid because they represent the same data we are left with the column abstractions, which is what we
point, but for consistency we take the first appearing loca- wanted.
tion on the basis that it is likely to be more prominent in
the webpage. 4.3.1 Attributes
We found that the type of XPaths used in the previous
4.3 Generalise example do work, but are brittle. If, for instance, an extra
The third step is to generalise the best-matching locations span tag is inserted into some weather webpages to feature
and combine them when appropriate. The idea to use XPath an advertisement, then the model to extract the heading will
to represent a string location was inspired by Sifter (see break because it is expecting this content to be under the
Section 2.3), a tool that faced similar technical problems first span. To take account of this we used attributes when
to SiteScraper in abstracting a location. Sifter starts available instead of indices. In our example the span tag has
with a direct XPath to a string, such as the following for a class attribute set to heading so then the heading XPath
tomorrow’s temperature in Melbourne: would become:
Ranking Abstraction # matches After filtering Use?
1 /html/body/table/tr/td[2] 3 3 Yes
2 /html/body/table/tr/td[3] 3 3 Yes
3 /html/body/table/tr[2]/td 2 0 No
4 /html/body/table/tr[3]/td 2 0 No
5 /html/body/table/tr[4]/td 2 0 No

Table 3: Ranking of abstraction possibilities for Doc1 and the text chunks h20,22,25,22,26,26i

/html/body/span[@class=heading]
Now the model can still match if an advertisement is inserted
because it is not dependent on the index.
This change can lead to a loss of accuracy if there are
adjacent tags with identical attributes. However in develop-
ment, we found that when this is the case the data is usually
related so the user wants both anyway. This potential loss of
accuracy was worth the more frequent increase in coverage.
If the attribute was an id, which should be unique, then we
can be very confident of matching the right location.

5. EVALUATION
To evaluate the performance of SiteScraper over differ- Figure 5: Text chunk annotation interface
ent scraper needs, we identified three defining parameters
for the text chunk types:
1. Whether there was a single or multiple text chunks to 2. Search-based websites (such as a stock sites or, ob-
extract; viously, search engines) where the webpages are cre-
ated dynamically from a query and are not necessarily
2. Whether the number of text chunks was static or would linked to from elsewhere. This kind of website can not
vary and require abstraction; be crawled because the webpages are not connected by
links so we needed to use their searching facilities. For
3. Whether the text chunk was simple, such as a single
each search-based website we crafted a URL template
number, or complex, such as a news article.
that would interface to their search engine. For Google
We then chose a number of popular websites and grouped this URL was www.google.com/search?q=. Then for
them by these properties, as shown in Table 4. For each text each genre (see Table 4) we chose 103 queries and com-
chunk type there are two development sites and one test site. bined each with the URL template to collect our data.
We used the development sites when building SiteScraper
to experiment with what features are effective, and the test While collecting the data we manually examined each
sites only at the end of the development cycle as a blind test URL to filter out webpages that did not contain the type
of SiteScraper’s true capabilities. of data we wanted to scrape and so were irrelevant, such as
For each of these chosen sites we collected 103 webpages a contact pages.
that contained data we wanted to extract with SiteScraper, Now we were ready to begin scraping the collected data.
of which 3 were randomly selected as seed documents and For the seed documents, we manually scraped the text chunks
the remaining 100 used as test documents. There are a to- from within a web browser. For the test documents, on
tal of 18 websites in Table 4, making for a total of 18 × the other hand, we first trained a model over the seed doc-
103 = 1854 webpages that needed to be collected and hand- uments, and then fed the output for each test document
annotated for text chunks. This would take considerable through the annotation interface shown in Figure 5. For
time to do fully manually, so we tried to automate this pro- each webpage the interface highlights the text that Site-
cess as much as possible. Scraper has scraped, and the user adjusts this result by
We identified two overarching types of websites in our selecting missing content or deselecting invalid content. This
combined data set that require two distinct approaches to process leads to four different cases:
document selection and text chunk generation:
1. Text that was returned by SiteScraper and did not
1. Monolithic websites (such as web forums or news sites) require adjustment (True Positive = TP);
where the webpages are connected by links and can be
crawled. Before crawling we took the URLs for a few 2. Text that was not returned by SiteScraper and was
example webpages from each website that contained not adjusted (True Negative = TN);
the content we wanted to scrape. From these URLs we
created a regular expression that matched the example 3. Text that was returned by SiteScraper but was de-
URLs and could be used to identify other webpages selected (False Positive = FP);
with the desired content. Then we set the crawler
loose on each website to follow links until it had 103 4. Text that was not returned by SiteScraper but was
URLs that matched the regular expression. selected (False Negative = FN).
Text chunk type Genre Development sites Test site
asx.com.au
1 Multiple, static, simple text Finance au.finance.yahoo.com
money.ninemsn.com.au
theage.com.au
2 Single, static, complex text News theaustralian.news.com.au
theonion.com
finance.google.com
3 Single, dynamic, simple text Weather www.bom.gov.au
au.weather.yahoo.com.au
imdb.com
4 Multiple, dynamic, simple texts Finance ebay.com
amazon.com
au.yahoo.com
5 Multiple, dynamic, moderate texts Search google.com
altavista.com
linuxquestions.org
6 Multiple, dynamic, complex texts Forum ubuntuforums.org
stackoverflow.org

Table 4: Data sets used for experimentation

These four cases can be used to judge the performance Site P R F


of SiteScraper by calculating the precision, recall, and asx.com.au 1.00 1.00 1.00
F-score, commonly-used evaluation metrics in the fields of finance.google.com 1.00 1.00 1.00
information retrieval and natural language processing. Pre- theage.com.au 1.00 1.00 1.00
cision measures the correctness of the predicted text chunks theonion.com 0.95 1.00 0.95
and is defined as: weather.ninemsn.com.au 1.00 1.00 1.00
au.weather.yahoo.com.au 1.00 1.00 1.00
TP
Precision = imdb.com 1.00 1.00 1.00
TP + FP amazon.com 0.99 1.00 0.99
Recall, on the other hand, measures the proportion of rele- au.yahoo.com 1.00 0.98 0.98
vant text chunks that the system was able to identify, and altavista.com 0.97 1.00 0.97
is defined as: linuxquestions.org 1.00 0.89 0.89
TP stackoverflow.org 1.00 0.90 0.90
Recall = Macro-average 0.99 0.99 0.98
TP + FN
Micro-average 0.98 0.99 0.97
Both of these measurements are necessary to get an accu-
rate perspective on SiteScraper’s performance. If Site- Table 5: Results over the development sites
Scraper is very conservative in judging which text chunks (P=Precision, R=Recall, F=F-score)
to return then the results may be high in precision but low
in recall, because much valid content was not returned. Al-
ternatively if SiteScraper is very liberal in its judgements
variation in the webpage structure from the examples used
then it will return a lot more content and the recall should
to generate the model. And generally the more complex
rise, but the precision is likely to fall as the predictions get
chunk types (see Table 4) suffered more variation, which
noisier.
contributed to their lower performance. SiteScraper per-
Finally, F-score combines precision and recall to give an
formed perfectly over the simplest case, type 1, achieving
overview of performance, and is defined as:
a precision and recall of 1.00 across both the development
F-score = Precision × Recall and training sets. These websites had no variation and so
were easy for SiteScraper to scrape. Types 2, 3, and 5
Our results for SiteScraper in Table 5 and Table 6 are
performed very well, with the lowest F-score being 0.95 for
given in terms of these three measurements. As an overall
TheOnion where the author details were incorrectly included
evaluation across all sites, we provide macro- and micro-
when scraping certain articles. Type 6 had the lowest overall
averages of each of the precision, recall and F-score in each
F-score as a group, with LinuxQuestions producing the low-
table. The macro-average is simply the arithmetic mean of
est F-score in the development set. The main reason for this
the individual values, while the micro-average is calculated
is that in some LinuxQuestions threads the responder would
by summing up the TPs, FPs and FNs across all the sites
embed a code snippet within a sub-tag. The LinuxQuestions
and calculating an average directly from the totals.
model failed to scrape this embedded code snippet because
this special case was not present in the 3 seed documents
6. RESULTS used to generate the model. If we had been more careful in
While developing SiteScraper we fine-tuned the model our choice of the seed documents, or just used a larger seed
generation to work well on the development sites, and were set, the performance over LinuxQuestions could have been
thus predictably able to achieve a high macro-averaged F- improved without any change to SiteScraper.
score of 0.98 (see Table 5). When we applied SiteScraper To test this hypothesis we retrained the model for Lin-
to the blind test sites, we were very encouraged to find that uxQuestions with a larger example set of six seed documents
the macro-averaged F-score was almost identical at 0.97 (see that all contained quotes in their thread posts, and then re-
Table 6). annotated 20 webpages with this new model. As expected
From the experience of annotating we noticed that usu- the model could now scrape the quotes, and as a result the
ally when SiteScraper made a mistake the cause was a recall jumped from 0.89 to 1.00. However the new model
Site P R F The Onion14 instead. In this sense, our data set is slightly
au.finance.yahoo.com 1.00 1.00 1.00 skewed towards more internally consistent websites.
theaustralian.news.com.au 1.00 0.99 0.99 The second goal of surviving a changed structure is pos-
www.bom.gov.au 1.00 0.98 0.98 sible to achieve with SiteScraper under certain circum-
ebay.com 1.00 0.87 0.87 stances. When the structure of a forum is updated the
google.com 1.00 0.96 0.96 content of the threads stays the same so SiteScraper can
ubuntuforums.org 1.00 1.00 1.00 retrain its model automatically using the original content
Macro-average 1.00 0.97 0.97 with the updated HTML. This is possible because web fo-
Micro-average 0.99 0.91 0.90 rums maintain historical content which the model can be
retrained over. News sites also maintain historical content
Table 6: Results over the test sites (P=Precision, so the same technique could be applied to them.
R=Recall, F=F-score) To test this idea we tried using older versions of the Lin-
uxQuestions threads from the Internet Archive15 that were
crawled in 2002. These webpages would have the same
included some non-post data which made the precision fall thread content within an older structure. Unfortunately we
from 1.00 to 0.95. Overall the F-score increased from 0.89 found that the Internet Archive only archived the sticky
to 0.94, suggesting that this is a more balanced model and threads, which are administrator threads that ‘stick’ to the
the problem was largely one of not enough data. Recall that top of the thread list, so we could not reuse the same data
the only manual analysis of the seed documents that was re- as before. After copying and pasting the post strings from
quired was the user manually copying and pasting relevant the sticky threads we were able to successfully train models
text chunks into a text field (or to the command line), such for both the old and new web forum versions using the same
that the increase from 3 to 6 seed documents still represents content. We annotated 20 threads over these new models
a minuscule amount of user effort. and found they both attained a perfect precision of 1.0 while
The final case not mentioned yet is type 4, which per- the 2002 threads had a recall of 0.91 and 2008 0.94. The re-
formed near perfectly in the development set but poorly for call for these results are higher than achieved in the original
Ebay in the test set, which had the lowest F-score of any experiment (see Table 5), however this can be attributed
website. This was due to the same problem as LinuxQues- to the threads being administrator discussions about forum
tions of having significant variations in the structure. Ebay policy so there are less code snippets, which is what damaged
has a number of different ways to show the price of an item the recall previously. The 2002 model performed marginally
depending on the state of the auction, whether the seller worse than for 2008 because occasionally the first post had a
has paid for promotion, and whether the item is available different set of attributes and was not matched. This experi-
for direct sale or auction. These variations confused Site- ment proved SiteScraper could be automatically retrained
Scraper from extracting every item price. Once again, here when the structure was updated using the same content.
we expect that an expanded seed document set (recalling We found that the structure of the tags in the 2002 Site-
that the original model was training on only 3 seed docu- Scraper model were almost identical to 2008, but the at-
ments) would improve performance. tributes were entirely different. In 2002, LinuxQuestions
had no external CSS files and as a result many of the style
7. DISCUSSION attributes were embedded in the tags. By 2008, however,
the most common attribute was the class settings, and the
SiteScraper had two original goals, as explained in Sec-
style definitions were being made in external CSS files. This
tion 1:
is good news for SiteScraper because it means LinuxQues-
• Simple to scrape fine-grained data. tions, and hopefully many other websites, will not need to
update their HTML structure as frequently as in the past
• Possible to automatically retrain after structural changes. because re-styling of the website can be performed exter-
nally to the basic document markup.
To scrape a new webpage SiteScraper just needs text Even with this move towards separating content from struc-
chunks copied and pasted from a few seed documents. The ture through CSS we found that structural updates are com-
results in Table 6 show that SiteScraper can accurately mon — over the two months we worked on SiteScraper
learn a model from this lightweight input, so this first goal the structure for theaustralian.com.au, amazon.com, and
was achieved. Scraping the web forums performed worse all three stock sites were updated. That is almost a quar-
than average, which is unfortunate given that scraping web ter of our data in just two months, which means handling
forums was the motivation for SiteScraper, but this is per- structural updates is a real problem that needs addressing.
haps expected given that their structure is more complex. It would theoretically be possible to automatically retrain
Also, as noted above, providing more seed documents with stock and weather websites too, but more complicated be-
greater variety seems to be the solution to this problem, so cause these sites generally do not maintain historical data.
it would not appear to be an inherent limitation of Site- However stock and weather data are independent of the web-
Scraper. sites that display them so if models were trained for a set
It is worth noting here that we originally included BBC of websites that used the same data source then when one
News13 as one of our news sites. However, we found that the model was broken from an update it could be retrained using
BBC uses so many different templates for different article current data from the other models.
types that manually extracting the text from articles proved
very time-consuming, and we eventually changed to scraping 14
http://www.theonion.com
13 15
http://news.bbc.co.uk http://www.archive.org
Retraining commerce websites and search engines is a user sees in a rendered webpage. For a start, SiteScraper
more challenging problem. These kind of websites do not does not examine embedded IFrames for additional con-
maintain reliable historical data — prices change and search tent. This would add some complexity to generating the
ranking algorithms are tweaked — and the data they display model, but would definitely be possible. As mentioned in
is generated by them and so cannot be verified elsewhere. Section 2, SiteScraper does not interpret the effect of
If SiteScraper is lucky then the structure change will not Javascript events. This could be addressed by embedding
happen simultaneously with the content change so that the SiteScraper in the browser as a plugin, or using a library
model could be retrained in between. Otherwise these types such as Watir16 to interface with the browser.
of websites fall into the third update category identified in A final feature that needs implementing is determining
Section 1 of suffering both changing content and structure, whether the structure of two webpages match. With that
which is beyond the scope of SiteScraper. The only hope functionality we could determine when a webpage had changed
is retraining based on a specially-crafted query with an ex- and the model needs retraining. This would also make the
pected result, such as the Scrubyt example used in search- data collection process we did for evaluation easier because
ing Google for ruby. However this strategy is clearly not then we would not have to manually filter out webpages that
robust. lacked the desired data. This would make scraping a diverse
Where SiteScraper is able to handle dynamically-changing website like BBC News more practical.
content and structure is where the content is largely the
same (and structure is arbitrarily different). This tends 8. CONCLUSION
to occur with user forums, where posts can be added to a
SiteScraper has met our goals to make web scraping
thread at any given point, but in a monotonically-increasing
easy and automatic retraining possible. It has proved a
fashion. Assuming that the level of change over the seed
convenient tool for extracting data from the web. Our ap-
documents is relatively small (i.e. old threads are chosen),
proach, based on learning patterns using XPath, allowed us
the combination of partial string matching and generalisa-
to produce a system that can satisfy user needs with high
tion (see Section 4) can abstract away from the text chunks
precision and recall with minimal training. SiteScraper
to identify that all posts in the thread are the target of the
has been tested over different domains with high effective-
crawl.
ness, and we also showed its adaptability by going back in
7.1 Future work time and scraping the LinuxQuestions site from 2002 with-
out re-annotating. On this evidence, we believe that Site-
Our results for SiteScraper were good but not perfect.
Scraper can provide a robust and flexible solution for the
To improve, SiteScraper’s model needs to be less brit-
problems of dealing with web data.
tle and able to handle greater variation. Currently Site-
Scraper puts all its effort into generating a model of data
in a webpage, and then this model is mechanically applied 9. REFERENCES
to each subsequent webpage. If the model does not match [1] T. Baldwin, D. Martinez, and R. Penman. Automatic
then it returns nothing, so a potential improvement on fail- thread classification for linux user forum information
ure would be to try relaxing criteria in the model in an access. In Proceedings of the Twelfth Australasian
attempt to locate relevant data. Document Computing Symposium (ADCS 2007), pages
One interesting project we came across that is related 72–9, Melbourne, Australia, 2007.
to this idea is the Internet Scrapbook [7], which is a web [2] T. Berners-Lee and M. Fischetti. Weaving the Web.
scraping system focused on handling changing news content. HarperOne, San Francisco, USA, 1999.
It was developed back in 1998 and was basically trying to [3] M. Bolin, M. Webber, P. Rha, T. Wilson, and
achieve the functionality of what we know today as RSS. R. Miller. Automation and customization of rendered
It approached this by searching for content it thought less web pages. In UIST ’05: Proceedings of the 18th
likely to change, such as the heading Economy. It would Annual ACM symposium on User Interface Software
then make the model of the desired data relative to these and Technology, pages 163–172, New York, USA, 2005.
fixed points. To scrape the page these fixed points were lo- [4] D. Huynh, S. Mazzocchi, and D. Karger. Piggy bank:
cated and then the desired data could be found relative to Experience the semantic web inside your web browser.
them. SiteScraper locates everything as absolute from the Web Semantics: Science, Services and Agents on the
root of the document, so it could potentially be made more World Wide Web, 5:16–27, 2006.
robust through this relative approach. [5] D. Huynh, R. Miller, and D. Karger. Enabling web
Another potential for improvement is examining sub-tag browsers to augment web sites’ filtering and sorting
content. Currently SiteScraper only breaks down strings functionalities. In UIST ’06: Proceedings of the 19th
by tags, but sometimes there are multiple types of data Annual ACM symposium on User Interface Software
within the same tag. For instance, unlike the other search and Technology, pages 125–134, New York, USA, 2006.
engines in our test data, Google combines the URL of a
[6] M. Schrenk. Webbots, Spiders, and Screen Scrapers. No
result and the size of the document within the same tag:
Starch Press, San Francisco, USA, 2007.
<cite>www.google.com.au/ - 6k</cite> [7] A. Sugiura and Y. Koseki. Internet scrapbook:
automating web browsing tasks by demonstration. In
So if a user uses SiteScraper to extract the URLs from a UIST ’98: Proceedings of the 11th annual ACM
Google search they will get the document sizes too, which is Symposium on User Interface Software and Technology,
not ideal. To deal with cases like this SiteScraper would pages 9–18, New York, USA, 1998.
need to support the analysis of sub-tag content.
16
SiteScraper also needs more work to replicate what the http://wtr.rubyforge.org

You might also like