2019-06-23 04:21:30 +02:00
|
|
|
// Copyright (c) 2019 Alexander Medvednikov. All rights reserved.
|
|
|
|
// Use of this source code is governed by an MIT license
|
|
|
|
// that can be found in the LICENSE file.
|
|
|
|
|
2019-06-22 21:51:07 +02:00
|
|
|
import http
|
|
|
|
import json
|
|
|
|
import sync
|
|
|
|
|
|
|
|
const (
|
2019-07-30 15:06:16 +02:00
|
|
|
NR_THREADS = 4
|
2019-06-22 21:51:07 +02:00
|
|
|
)
|
|
|
|
|
|
|
|
struct Story {
|
|
|
|
title string
|
2019-06-24 17:16:01 +02:00
|
|
|
url string
|
2019-06-22 21:51:07 +02:00
|
|
|
}
|
|
|
|
|
|
|
|
struct Fetcher {
|
|
|
|
mut:
|
2019-06-23 15:36:24 +02:00
|
|
|
mu sync.Mutex
|
|
|
|
ids []int
|
|
|
|
cursor int
|
2019-07-30 15:06:16 +02:00
|
|
|
wg &sync.WaitGroup
|
2019-06-22 21:51:07 +02:00
|
|
|
}
|
|
|
|
|
|
|
|
fn (f mut Fetcher) fetch() {
|
|
|
|
for {
|
|
|
|
if f.cursor >= f.ids.len {
|
|
|
|
return
|
|
|
|
}
|
|
|
|
id := f.ids[f.cursor]
|
2019-08-29 10:48:03 +02:00
|
|
|
f.mu.lock()
|
2019-06-22 21:51:07 +02:00
|
|
|
f.cursor++
|
|
|
|
f.mu.unlock()
|
2019-08-29 10:48:03 +02:00
|
|
|
cursor := f.cursor
|
2019-07-29 19:18:26 +02:00
|
|
|
resp := http.get('https://hacker-news.firebaseio.com/v0/item/${id}.json') or {
|
|
|
|
println('failed to fetch data from /v0/item/${id}.json')
|
|
|
|
exit(1)
|
|
|
|
}
|
2019-07-31 22:10:28 +02:00
|
|
|
story := json.decode(Story, resp.text) or {
|
2019-06-23 10:41:42 +02:00
|
|
|
println('failed to decode a story')
|
|
|
|
exit(1)
|
2019-06-22 21:51:07 +02:00
|
|
|
}
|
2019-06-23 15:36:24 +02:00
|
|
|
println('#$cursor) $story.title | $story.url')
|
2019-08-29 10:48:03 +02:00
|
|
|
f.wg.done()
|
2019-06-22 21:51:07 +02:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-07-30 15:06:16 +02:00
|
|
|
// Fetches top HN stories in 4 coroutines
|
2019-06-22 21:51:07 +02:00
|
|
|
fn main() {
|
2019-07-29 19:18:26 +02:00
|
|
|
resp := http.get('https://hacker-news.firebaseio.com/v0/topstories.json') or {
|
|
|
|
println('failed to fetch data from /v0/topstories.json')
|
|
|
|
return
|
|
|
|
}
|
2019-07-31 22:10:28 +02:00
|
|
|
mut ids := json.decode([]int, resp.text) or {
|
2019-07-29 19:18:26 +02:00
|
|
|
println('failed to decode topstories.json')
|
2019-06-22 21:51:07 +02:00
|
|
|
return
|
|
|
|
}
|
2019-07-30 15:06:16 +02:00
|
|
|
if ids.len > 10 {
|
|
|
|
// ids = ids[:10]
|
2019-09-15 11:26:05 +02:00
|
|
|
mut tmp := [0].repeat(10)
|
2019-07-30 15:06:16 +02:00
|
|
|
for i := 0 ; i < 10 ; i++ {
|
|
|
|
tmp[i] = ids[i]
|
|
|
|
}
|
|
|
|
ids = tmp
|
|
|
|
}
|
|
|
|
|
|
|
|
mut wg := &sync.WaitGroup{}
|
|
|
|
fetcher := &Fetcher{ids: ids, wg: wg} // wg sent via ptr
|
|
|
|
wg.add(ids.len)
|
2019-06-22 21:51:07 +02:00
|
|
|
for i := 0; i < NR_THREADS; i++ {
|
|
|
|
go fetcher.fetch()
|
|
|
|
}
|
2019-07-30 15:06:16 +02:00
|
|
|
wg.wait()
|
2019-06-22 21:51:07 +02:00
|
|
|
}
|
|
|
|
|