This repository was archived by the owner on Apr 8, 2021. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathscraper.go
320 lines (268 loc) · 8.47 KB
/
scraper.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
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
package scrap
import (
"context"
"encoding/json"
"fmt"
"io/ioutil"
"net/http"
"strings"
"sync"
"time"
"github.com/jmoiron/sqlx"
"go.uber.org/atomic"
"github.com/pkg/errors"
"github.com/sirupsen/logrus"
"github.com/ory/x/httpx"
)
type Scraper struct {
sync.RWMutex
c *http.Client
db *sqlx.DB
blacklist map[string]bool
l logrus.FieldLogger
pageSize int
taskCount int
discoverEvery time.Duration
delay time.Duration
scrapRefreshQueue time.Duration
refreshEvery time.Duration
updateEvery string
scrapEvery func(time.Time) (time.Time, string)
queue chan string
snapshotsCompleted atomic.Uint64
reposDiscovered atomic.Uint64
}
func NewScraper(
tasks int,
l logrus.FieldLogger,
db *sqlx.DB,
discoverEvery time.Duration,
delay time.Duration,
scrapRefreshQueue time.Duration,
pageSize int,
daysRefresh int,
) *Scraper {
if tasks < 1 {
tasks = 1
}
return &Scraper{
l: l,
db: db,
// defaults
queue: make(chan string, tasks),
taskCount: tasks,
pageSize: pageSize,
discoverEvery: discoverEvery,
delay: delay,
scrapRefreshQueue: scrapRefreshQueue,
refreshEvery: -time.Hour * 24 * time.Duration(daysRefresh),
scrapEvery: func(i time.Time) (time.Time, string) {
return time.Date(i.Year(), i.Month(), i.Day(), 0, 0, 0, 0, i.Location()), fmt.Sprintf("%d days", daysRefresh)
// return time.Date(i.Year(), i.Month(), i.Day(), i.Hour(), 0, 0, 0, i.Location()), "1 hour"
// return time.Date(i.Year(), i.Month(), i.Day(), i.Hour(), i.Minute(), 0, 0, i.Location()), "1 minute"
// return time.Date(i.Year(), i.Month(), i.Day(), i.Hour(), i.Minute(), i.Second(), 0, i.Location()), "1 second"
},
c: &http.Client{
Timeout: time.Second * 30,
Transport: httpx.NewDefaultResilientRoundTripper(time.Second*10, time.Second*30),
},
}
}
type Stats struct {
TotalRepositories int64 `json:"discovered_repositories_total"`
RepositoriesWithoutErrors int64 `json:"discovered_repositories_without_errors"`
RepositoriesWithErrors int64 `json:"discovered_repositories_with_errors"`
TotalSnapshotsCompleted int64 `json:"snapshots_completed_total"`
SnapShotQueue int64 `json:"snapshot_queue"`
SnapshotsCompleted uint64 `json:"proc_snapshots_completed"`
DiscoveriesCompleted uint64 `json:"proc_discoveries_completed"`
SnapshotQueueLength int `json:"proc_snapshot_queue_length"`
SnapshotRefreshInterval string `json:"snapshot_refresh_interval"`
}
func (i *Scraper) Stats(c context.Context) *Stats {
hr, err := i.dbCountHealthyRepos(c)
if err != nil {
i.l.WithError(err).WithField("stack", fmt.Sprintf("%+v", err)).Errorf("Unable to count elements")
}
sq, err := i.dbCountSnapshotQueue(c)
if err != nil {
i.l.WithError(err).WithField("stack", fmt.Sprintf("%+v", err)).Errorf("Unable to count elements")
}
tr, err := i.dbCountTotalRepos(c)
if err != nil {
i.l.WithError(err).WithField("stack", fmt.Sprintf("%+v", err)).Errorf("Unable to count elements")
}
cs, err := i.dbCountSnapshots(c)
if err != nil {
i.l.WithError(err).WithField("stack", fmt.Sprintf("%+v", err)).Errorf("Unable to count elements")
}
_, interval := i.scrapEvery(time.Now())
return &Stats{
TotalRepositories: tr,
RepositoriesWithoutErrors: hr,
RepositoriesWithErrors: tr - hr,
TotalSnapshotsCompleted: cs,
SnapShotQueue: sq,
DiscoveriesCompleted: i.reposDiscovered.Load(),
SnapshotsCompleted: i.snapshotsCompleted.Load(),
SnapshotRefreshInterval: interval,
SnapshotQueueLength: len(i.queue),
}
}
func (i *Scraper) FindSnapshots(slug string) (RepositorySnapshots, error) {
return i.dbListSnapshots(context.Background(), slug, "search")
}
func (i *Scraper) ListRepositorySlugs(ctx context.Context) ([]string, error) {
return i.dbDiscoveryList(ctx)
}
func (i *Scraper) Scrap() {
for t := 0; t < i.taskCount; t++ {
go i.watchSnapshotQueue(i.queue)
}
i.discoverNextSnapshotRefresh(i.queue)
}
func (i *Scraper) watchSnapshotQueue(queue chan string) {
for slug := range queue {
if err := i.fetchSnapshot(slug); err != nil {
i.l.WithError(err).WithField("stack", fmt.Sprintf("%+v", err)).Errorf("Unable to scrap repository")
}
}
}
func (i *Scraper) snapshotQueuePop(slug string) {
i.Lock()
i.Unlock()
delete(i.blacklist, slug)
}
func (i *Scraper) snapshotQueuePush(slug string, queue chan string) {
i.RLock()
_, isInQueue := i.blacklist[slug]
i.RUnlock()
if !isInQueue {
i.Lock()
i.blacklist[slug] = true
i.Unlock()
queue <- slug
}
}
func (i *Scraper) discoverNextSnapshotRefresh(queue chan string) {
defer close(queue)
for {
is, err := i.dbDiscoveryFetchNext(context.Background())
if err != nil {
i.l.WithError(err).Error("Unable to iterate over repositories")
}
for _, i := range is {
queue <- i
}
time.Sleep(i.scrapRefreshQueue)
}
}
func (i *Scraper) fetchSnapshot(slug string) error {
defer i.snapshotQueuePop(slug)
defer i.snapshotsCompleted.Add(1)
uri := "https://hub.docker.com/v2/repositories/" + strings.TrimSpace(
strings.Trim(
slug, "\n",
),
) + "/"
i.l.Debugf(`Fetching repository data for "%s" from: %s`, slug, uri)
res, err := i.c.Get(uri)
if err != nil {
return errors.Wrapf(err, "repository: %s", slug)
}
defer res.Body.Close()
if err := checkStatus(res, http.StatusOK); err != nil {
if err := i.dbDiscoveryMarkError(context.Background(), slug, res.StatusCode); err != nil {
return errors.Wrapf(err, "repository: %s", slug)
}
return errors.Wrapf(err, "repository: %s", slug)
}
var dr RepositorySnapshot
if err := json.NewDecoder(res.Body).Decode(&dr); err != nil {
return errors.Wrapf(err, "repository: %s", slug)
}
if err := i.dbSnapshotAdd(context.Background(), slug, &dr); err != nil {
return errors.Wrapf(err, "repository: %s", slug)
}
i.l.Debugf("Repository data stored successfully for: %s", slug)
return nil
}
func (i *Scraper) Discover() {
uris := []string{
fmt.Sprintf("https://hub.docker.com/api/content/v1/products/search?q=&type=image&page_size=%d", i.pageSize),
fmt.Sprintf("https://hub.docker.com/api/content/v1/products/search?sort=updated_at&order=desc&type=image&page_size=%d", i.pageSize),
}
for {
for _, uri := range uris {
i.l.Debugf("Discovering repositories from: %s", uri)
if err := i.discover(uri); err != nil {
i.l.WithError(err).Errorf("An error occurred during repository discovery.")
}
i.l.Debugf("Discovery finished for: %s", uri)
}
i.l.Debugf("Discovery finished for all sources, going to sleep for %.2fm", i.discoverEvery)
time.Sleep(i.discoverEvery)
}
}
func (i *Scraper) discover(next string) error {
for len(next) > 0 {
i.l.Debugf("Discovering next uri: %s", next)
result, err := i.fetchDiscovery(next)
if err != nil {
return errors.Wrapf(err, `discover: "%s"`, next)
}
slugs := make([]string, len(result.Summaries))
for k, r := range result.Summaries {
slugs[k] = r.Slug
}
i.l.Debugf("Updating repository index based on uri result: %s", next)
if err := i.dbDiscoveryBatch(context.Background(), "discovery", slugs); err != nil {
return errors.Wrapf(err, `discover: "%s"`, next)
}
i.l.Debugf("Repository index update done!")
next = result.Next
i.l.Debugf("Going to sleep for %.2fs before discovering next uri: %s", i.delay.Seconds(), next)
time.Sleep(i.delay)
}
return nil
}
func (i *Scraper) fetchDiscovery(uri string) (*discoveryResult, error) {
defer i.reposDiscovered.Add(1)
req, err := http.NewRequest("GET", uri, nil)
if err != nil {
return nil, errors.Wrapf(err, "discovery: %s", uri)
}
req.Header.Set("Search-Version", "v3")
res, err := i.c.Do(req)
if err != nil {
return nil, errors.WithStack(err)
}
defer res.Body.Close()
if err := checkStatus(res, http.StatusOK); err != nil {
return nil, errors.Wrapf(err, "discovery: %s", uri)
}
var s discoveryResult
if err := json.NewDecoder(res.Body).Decode(&s); err != nil {
return nil, errors.Wrapf(err, "discovery: %s", uri)
}
for k, repo := range s.Summaries {
if !strings.Contains(repo.Slug, "/") {
s.Summaries[k].Slug = strings.TrimSpace(
strings.Trim(
"library/"+repo.Slug, "\n",
),
)
}
}
return &s, nil
}
func checkStatus(res *http.Response, expected int) error {
if res.StatusCode != expected {
body, _ := ioutil.ReadAll(res.Body)
return errors.Errorf("http: expected status code %d but got %d with body: %s", expected, res.StatusCode, body)
}
return nil
}
func nowb() []byte {
return []byte(time.Now().UTC().Format(time.RFC3339))
}