71 lines
1.4 KiB
Go
71 lines
1.4 KiB
Go
package app
|
|
|
|
import (
|
|
"errors"
|
|
"fmt"
|
|
"os"
|
|
"time"
|
|
|
|
"github.com/robfig/cron/v3"
|
|
"go.balki.me/tss/log"
|
|
"gopkg.in/yaml.v3"
|
|
)
|
|
|
|
type Scheduler interface {
|
|
ShouldDownload(name string, scheduleSpec string) (bool, error)
|
|
Save() error
|
|
Good(name string)
|
|
}
|
|
|
|
type scheduler struct {
|
|
filePath string
|
|
lastSuccessTime map[string]time.Time
|
|
}
|
|
|
|
func NewScheduler(filePath string) (Scheduler, error) {
|
|
s := scheduler{filePath: filePath}
|
|
data, err := os.ReadFile(filePath)
|
|
if err != nil {
|
|
if !errors.Is(err, os.ErrNotExist) {
|
|
return nil, err
|
|
}
|
|
f, err := os.Create(filePath)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("path:%v does not exist and unable to create: err: %w", filePath, err)
|
|
}
|
|
f.Close()
|
|
log.Info("scheduler file does not exist, will be created", "path", filePath)
|
|
} else {
|
|
err = yaml.Unmarshal(data, &s.lastSuccessTime)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
}
|
|
return &s, nil
|
|
}
|
|
|
|
func (s *scheduler) Save() error {
|
|
data, err := yaml.Marshal(&s.lastSuccessTime)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
return os.WriteFile(s.filePath, data, 0644)
|
|
}
|
|
|
|
func (s *scheduler) Good(name string) {
|
|
s.lastSuccessTime[name] = time.Now()
|
|
}
|
|
|
|
func (s *scheduler) ShouldDownload(name string, scheduleSpec string) (bool, error) {
|
|
lastSuccess, ok := s.lastSuccessTime[name]
|
|
if !ok {
|
|
return true, nil
|
|
}
|
|
cron, err := cron.ParseStandard(scheduleSpec)
|
|
if err != nil {
|
|
return false, err
|
|
}
|
|
n := cron.Next(lastSuccess)
|
|
return n.Before(time.Now()), nil
|
|
}
|