DEV Community

Cover image for Do you love web scraping with Scrapy? Then check Colly for Go
Ruben Sanchez
Ruben Sanchez

Posted on • Updated on

Do you love web scraping with Scrapy? Then check Colly for Go

Scrapy is the star of the web scraping world in Python. There are indeed other beautiful libraries out there, but the simplicity and power that Scrapy gives you has captured the hearts of many Python developers who now have this full suite of excellent tools to perform the type of tasks that used to need more tinkering and patching. Scrapy alone will give you the actual scraping running on the Twisted engine, a shell to test your xpaths and css paths, an elegant way to specify your middleware, build a pipeline of actions easily and much more.

Now, if you like Python and want to stick with it, then fine, use Scrapy. But are you by any chance using Go or considering to give it a try? Go seems such a popular language for previous Python developers to try out.

Gopher at work

If that is the case, do check Colly. Definitely. It captures the elegancy of Scrapy, it also captures its performance. And I am sure that given enough time and resources it will also end up capturing all its toolset. If you are just getting started with Go, it's also easy to learn and easy to use (as the language itself). We can take a look at an example so you can decide for yourself.

Scrape the list of URLs for Company Registries worldwide

The UK government maintains a list of URLs for Company Registration sites (https://www.gov.uk/government/publications/overseas-registries/overseas-registries). These sites allow you to search for legal entities in each given country, so each individual URL we scrape can be explored further and additional scrapers for each country can be created, so perhaps you will build the next OpenCorporates! But let's start from the beginning and get this initial list using Colly.

The Scrape

1) Initialize your project if you wish. The modules command arrived to Golang in the version 1.11, so if you are using an earlier version I guess it means you have been using Go for a while and know how to set up a new project.

go mod init github.com/rubenwap/colly-world-registers
Enter fullscreen mode Exit fullscreen mode

2) Create the necessary files

touch scrape.go
Enter fullscreen mode Exit fullscreen mode

3) Install the latest Colly

go get -u github.com/gocolly/colly/v2/...
Enter fullscreen mode Exit fullscreen mode

4) Let's edit that scrape.go file

This is the basic scaffolding of our program. It initializes the Colly Collector, which is the object that will control all the other callback methods that we will use.

package main

import "github.com/gocolly/colly"

func main() {
  c := colly.NewCollector()
}
Enter fullscreen mode Exit fullscreen mode

Check this page for a quick start, and this one for a complete list of possible callbacks you can use. For this exercise, we are going to use a few of those:

Let's add a struct, in order to store each item that we retrieve:

type Registry struct {
    Country string
    URL     string
}
Enter fullscreen mode Exit fullscreen mode

So your code becomes

package main

import "github.com/gocolly/colly"

type Registry struct {
    Country string
    URL     string
}

func main() {
  c := colly.NewCollector()
}
Enter fullscreen mode Exit fullscreen mode

Now we could use the callback Visit to make the collector actually visit our target website

func main() {
  c := colly.NewCollector()
  c.Visit("https://www.gov.uk/government/publications/overseas-registries/overseas-registries")
}
Enter fullscreen mode Exit fullscreen mode

However, apparently nothing would happen if you do go run scrape.go

If you want to really see something happening, you can tell Colly what to do onRequest. Note that if you print, you will need to add "fmt" to your imports

func main() {
  c := colly.NewCollector()

    c.OnRequest(func(r *colly.Request) {
        fmt.Println("Visiting", r.URL)
    })
    c.Visit("https://www.gov.uk/government/publications/overseas-registries/overseas-registries")
}
Enter fullscreen mode Exit fullscreen mode

Ok, so we know now that Colly is indeed visiting that URL. How do we get the HTML?

If we visit the page in our browser and open the console on the developer tools, we notice that all we need to retrieve our data is grabbing the .govuk-link classes that are under the .govspeak class. So for instance, in the console you would issue this:

document.querySelector(".govspeak").querySelectorAll(".govuk-link").forEach((link)=>console.log(link))
Enter fullscreen mode Exit fullscreen mode

In our Go code, we will use the callback onHTML, which will act on each of the elements that it finds following the pattern we specify. So for instance (remember that Registry was the struct we initialized a while ago):

c.OnHTML(".govspeak .govuk-link", func(e *colly.HTMLElement) {
        reg := Registry{}
        reg.Country = e.Text
        reg.URL = e.Attr("href")
    })
Enter fullscreen mode Exit fullscreen mode

This means that on HTML reception, it shall grab the elements conforming the pattern ".govspeak .govuk-link" and then for each of those elements, do as the function says. In our case we populate the struct. By the way, if the pattern of the selectors look familiar, it's because it's using GoQuery, which aims to replicate the classic jQuery selectors for Go.

We can also intialize a slice of structs to save the full collection registries := []Registry{} and append each struct as we receive it.

Finally we need to take into account that after the data has been scraped, we probably want to do something else with it. For this, we have the callback onScraped, which will run after onHTML finishes. You could observe how it works by doing this. Of course, you could add your own steps. Here it's just printing the slice of structs:

    c.OnScraped(func(r *colly.Response) {
        fmt.Println("Finished. Here is your data:", registries)
    })
Enter fullscreen mode Exit fullscreen mode

Prefer to output JSON? No problem, if you import "encoding/json", that module has you covered.

    c.OnScraped(func(r *colly.Response) { 
        data, err := json.Marshal(registries)
        if err != nil {
            fmt.Println(err)
        } else {
            fmt.Println("Finished. Here is your data:", string(data))
        }

    })
Enter fullscreen mode Exit fullscreen mode

The final code would look like this

package main

import (
    "fmt"
    "github.com/gocolly/colly"
    "encoding/json"
)

// Registry will store the Country registration URL items
type Registry struct {
    Country string
    URL     string
}

func main() {
    registries := []Registry{}
    c := colly.NewCollector()

    c.OnRequest(func(r *colly.Request) {
        fmt.Println("Visiting", r.URL)
    })

    c.OnHTML(".govspeak .govuk-link", func(e *colly.HTMLElement) {
        reg := Registry{}
        reg.Country = e.Text
        reg.URL = e.Attr("href")
        registries = append(registries, reg)
    })

    c.OnScraped(func(r *colly.Response) { 
        data, err := json.Marshal(registries)
        if err != nil {
            fmt.Println(err)
        } else {
            fmt.Println("Finished. Here is your data:", string(data))
        }

    })

    c.Visit("https://www.gov.uk/government/publications/overseas-registries/overseas-registries")
}

Enter fullscreen mode Exit fullscreen mode

Give it a try! build it with go build scrape.go or run it with go run scrape.go. Then go ahead and explore the docs further. They are pretty easy and you will surely get great ideas!

Top comments (1)

Collapse
 
33nano profile image
Manyong'oments

Definitely worth a try