This repository was archived by the owner on Aug 10, 2020. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 21
/
Copy pathcrawler.go
195 lines (170 loc) · 6.28 KB
/
crawler.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
package main
import (
"crypto/tls"
"encoding/json"
"fmt"
"github.com/nats-io/nats.go"
"github.com/valyala/fasthttp"
"github.com/valyala/fasthttp/fasthttpproxy"
"log"
"os"
"regexp"
"strings"
"time"
)
const (
crawlingQueue = "crawlingQueue"
todoSubject = "todoSubject"
doneSubject = "doneSubject"
contentSubject = "contentSubject"
defaultUserAgent = "trandoshan-io/crawler"
)
var (
absoluteUrlRegex = regexp.MustCompile("https?://[a-zA-Z0-9-_./]+.onion?[a-zA-Z0-9-_./]+")
relativeUrlRegex = regexp.MustCompile("href=\"?[a-zA-Z0-9-_./]+\"")
)
// Data sent to NATS with subject content
type resourceData struct {
Url string `json:"url"`
Content string `json:"content"`
}
func main() {
log.Print("Initializing crawler")
// build list of forbidden content-type from environment variable
var forbiddenContentTypes = strings.Split(os.Getenv("FORBIDDEN_CONTENT_TYPES"), ";")
log.Printf("Loaded %d forbidden content types", len(forbiddenContentTypes))
// Determinate user agent based on environment variable if any
var userAgent string
if userAgentEnvVariable := os.Getenv("USER_AGENT"); userAgentEnvVariable != "" {
userAgent = userAgentEnvVariable
} else {
userAgent = defaultUserAgent
}
// create HTTP client with optimized configuration
// disable SSL check because certificate may not be available inside container
httpClient := &fasthttp.Client{
Name: userAgent,
Dial: fasthttpproxy.FasthttpSocksDialer(os.Getenv("TOR_PROXY")),
ReadTimeout: time.Second * 5,
WriteTimeout: time.Second * 5,
TLSConfig: &tls.Config{InsecureSkipVerify: true},
}
// connect to NATS server
nc, err := nats.Connect(os.Getenv("NATS_URI"))
if err != nil {
log.Fatalf("Error while connecting to nats server: %s", err)
}
defer nc.Close()
// initialize queue subscriber
if _, err := nc.QueueSubscribe(todoSubject, crawlingQueue, handleMessages(nc, httpClient, forbiddenContentTypes)); err != nil {
log.Fatalf("Error while trying to subscribe to server: %s", err)
}
log.Print("Consumer initialized successfully")
//TODO: better way
select {}
}
func handleMessages(natsClient *nats.Conn, httpClient *fasthttp.Client, forbiddenContentTypes []string) func(*nats.Msg) {
return func(m *nats.Msg) {
var url string
// Unmarshal message
if err := json.Unmarshal(m.Data, &url); err != nil {
log.Printf("Error while de-serializing payload: %s", err)
// todo: store in sort of DLQ?
return
}
// Crawl the resource
data, urls, err := crawlResource(url, httpClient, forbiddenContentTypes)
if err != nil {
log.Printf("Error while processing message: %s", err)
// todo: store in sort of DLQ?
return
}
// Put resource body in content queue
bytes, err := json.Marshal(resourceData{Url: url, Content: data})
if err != nil {
log.Printf("Error while serializing message into json: %s", err)
// todo: store in sort of DLQ?
return
}
if err = natsClient.Publish(contentSubject, bytes); err != nil {
log.Printf("Error while trying to publish to content queue: %s", err)
// todo: store in sort of DLQ?
return
}
// Put all found URLs into done queue
for _, url := range urls {
bytes, err := json.Marshal(url)
if err != nil {
log.Printf("Error while serializing message into json: %s", err)
continue
}
if err = natsClient.Publish(doneSubject, bytes); err != nil {
log.Printf("Error while trying to publish to done queue: %s", err)
}
}
}
}
// Crawl given resource with given http client and return his content
//
// Function will return error if http content-type returned by remote server is contained in forbidden content type slice
func crawlResource(url string, httpClient *fasthttp.Client, forbiddenContentTypes []string) (string, []string, error) {
log.Printf("Crawling resource %s", url)
req := fasthttp.AcquireRequest()
resp := fasthttp.AcquireResponse()
defer fasthttp.ReleaseRequest(req)
defer fasthttp.ReleaseResponse(resp)
req.SetRequestURI(url)
if err := httpClient.Do(req, resp); err != nil {
return "", nil, err
}
// make sure response has no forbidden content type
contentType := string(resp.Header.ContentType())
for _, forbiddenContentType := range forbiddenContentTypes {
if contentType == forbiddenContentType {
return "", nil, fmt.Errorf("forbidden content-type: %v", contentType)
}
}
switch statusCode := resp.StatusCode(); {
case statusCode > 302:
return "", nil, fmt.Errorf("Non managed status code: " + string(statusCode))
// in case of redirect return found url in header and do not automatically crawl
// since the url may have been crawled already
case statusCode == 301 || statusCode == 302:
log.Printf("Found HTTP redirect (code: %d)", statusCode)
// extract url that may be present in the resource (in case of HTML, ...)
urls := extractUrls(strings.TrimSuffix(url, "/"), resp.Body())
// add url present in the location header (if any)
if locationUrl := string(resp.Header.Peek("Location")); locationUrl != "" {
urls = append(urls, locationUrl)
}
return string(resp.Body()), urls, nil
default:
return string(resp.Body()), extractUrls(strings.TrimSuffix(url, "/"), resp.Body()), nil
}
}
// Extract URLs from given content and return them
//
// Function will extract both relative and absolute URLs
// For relative url the found url will be prepend by websiteUrl parameter in order to translate them
func extractUrls(websiteUrl string, content []byte) []string {
// Use regex to extract all absolute urls in the resource body
absoluteUrls := absoluteUrlRegex.FindAll(content, -1)
// Use regex to extract all relative urls in the resource body
relativeUrls := relativeUrlRegex.FindAll(content, -1)
// Convert each bytes element into their string representation
var urlStrings []string
for _, element := range absoluteUrls {
urlStrings = append(urlStrings, string(element))
}
for _, element := range relativeUrls {
// Little magic here !
// First of all since the regex is taking the href="..." we need to remote both href=" and the last "
url := strings.TrimSuffix(strings.ReplaceAll(string(element), "href=\"", ""), "\"")
// Then remove any leading '/'
url = strings.TrimPrefix(url, "/")
// Then preprend website url to the found relative url to have the absolute one
url = websiteUrl + "/" + url
urlStrings = append(urlStrings, url)
}
return urlStrings
}