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
|
package feed
import (
"sync"
"github.com/Necoro/feed2imap-go/pkg/config"
)
type State struct {
feeds map[string]*Feed
cache Cache
cfg *config.Config
}
func (state *State) Foreach(f func(*Feed)) {
for _, feed := range state.feeds {
f(feed)
}
}
func (state *State) ForeachGo(goFunc func(*Feed, *sync.WaitGroup)) {
var wg sync.WaitGroup
wg.Add(len(state.feeds))
for _, feed := range state.feeds {
go goFunc(feed, &wg)
}
wg.Wait()
}
func (state *State) LoadCache(fileName string) error {
cache, err := loadCache(fileName)
if err != nil {
return err
}
state.cache = cache
for _, feed := range state.feeds {
feed.cached = cache.findItem(feed)
}
return nil
}
func (state *State) StoreCache(fileName string) error {
return storeCache(state.cache, fileName)
}
func (state *State) Fetch() int {
state.ForeachGo(handleFeed)
ctr := 0
for _, feed := range state.feeds {
success := feed.Success()
feed.cached.Checked(!success)
if success {
ctr++
}
}
return ctr
}
func NewState(cfg *config.Config) *State {
state := State{
feeds: map[string]*Feed{},
cache: nil, // loaded later on
cfg: cfg,
}
for name, parsedFeed := range cfg.Feeds {
state.feeds[name] = &Feed{Feed: parsedFeed}
}
return &state
}
func (state *State) RemoveUndue() {
for name, feed := range state.feeds {
if !feed.NeedsUpdate(feed.cached.Last()) {
delete(state.feeds, name)
}
}
}
func (state *State) NumFeeds() int {
return len(state.feeds)
}
|