go-again/cmd/again/again.go

340 lines
8.2 KiB
Go
Raw Normal View History

2019-06-21 18:35:08 +00:00
package main
import (
2019-06-23 03:50:17 +00:00
"context"
2019-06-22 07:10:21 +00:00
"encoding/json"
2019-06-21 18:35:08 +00:00
"flag"
"fmt"
"log"
2019-06-24 01:02:31 +00:00
"math/rand"
2019-06-21 18:35:08 +00:00
"net/http"
"os"
"strconv"
2019-06-22 07:28:02 +00:00
"strings"
2019-06-21 18:35:08 +00:00
"time"
2019-06-22 07:10:21 +00:00
again "git.rootprojects.org/root/go-again"
2019-06-21 18:35:08 +00:00
"git.rootprojects.org/root/go-again/data/jsondb"
2019-06-24 01:02:31 +00:00
webhooks "git.rootprojects.org/root/go-again/webhooks"
2019-06-21 18:35:08 +00:00
)
func main() {
portEnv := os.Getenv("PORT")
2019-06-22 07:10:21 +00:00
dbEnv := os.Getenv("DATABASE_URL")
2019-06-21 18:35:08 +00:00
portInt := flag.Int("port", 0, "port on which to serve http")
addr := flag.String("addr", "", "address on which to serve http")
2019-06-22 07:10:21 +00:00
dburl := flag.String("database-url", "", "For example: json://relative-path/db.json or json:///absolute-path/db.json")
2019-06-21 18:35:08 +00:00
flag.Parse()
if "" != portEnv {
if 0 != *portInt {
log.Fatal("You may set PORT or --port, but not both.")
return
}
n, err := strconv.Atoi(portEnv)
if nil != err {
log.Fatalf("Could not parse PORT=%q.", n)
return
}
*portInt = n
}
if *portInt < 1024 || *portInt > 65535 {
2019-06-22 07:10:21 +00:00
log.Fatalf("`port` should be between 1024 and 65535, not %d.", *portInt)
2019-06-21 18:35:08 +00:00
return
}
portEnv = strconv.Itoa(*portInt)
2019-06-22 07:10:21 +00:00
if "" != dbEnv {
if "" != *dburl {
log.Fatal("You may set DATABASE_URL or --database-url, but not both.")
return
}
*dburl = dbEnv
// TODO parse string?
// TODO have each connector try in sequence by registering with build tags like go-migrate does?
}
if "" == *dburl {
log.Fatalf("`database-url` must be specified." +
" Something like --database-url='json:///var/go-again/db.json' should do nicely.")
return
}
db, err := jsondb.Connect(*dburl)
if nil != err {
log.Fatalf("Could not connect to database %q: %s", *dburl, err)
return
}
s := &scheduler{
DB: db,
}
mux := http.NewServeMux()
2019-06-21 18:35:08 +00:00
server := &http.Server{
Addr: fmt.Sprintf("%s:%s", *addr, portEnv),
2019-06-22 07:10:21 +00:00
Handler: mux,
2019-06-21 18:35:08 +00:00
ReadTimeout: 10 * time.Second,
WriteTimeout: 10 * time.Second,
MaxHeaderBytes: 1 << 20,
}
2019-06-22 07:10:21 +00:00
//mux.Handle("/api/", http.HandlerFunc(handleFunc))
2019-06-22 23:11:14 +00:00
mux.HandleFunc("/api/v0/schedules", s.Handle)
2019-06-23 09:01:24 +00:00
mux.HandleFunc("/api/v0/schedules/", s.Handle)
2019-06-22 07:10:21 +00:00
// TODO Filebox FS
mux.Handle("/", http.FileServer(http.Dir("./public")))
2019-06-21 18:35:08 +00:00
2019-06-24 01:02:31 +00:00
go s.RunTasks()
2019-06-21 18:35:08 +00:00
fmt.Println("Listening on", server.Addr)
log.Fatal(server.ListenAndServe())
}
2019-06-22 07:10:21 +00:00
type ScheduleDB interface {
2019-06-23 03:50:17 +00:00
List(string) ([]*again.Schedule, error)
Set(again.Schedule) (*again.Schedule, error)
2019-06-23 09:01:24 +00:00
Delete(accessID string, id string) (*again.Schedule, error)
2019-06-24 01:02:31 +00:00
Upcoming(min time.Time, max time.Time) ([]*again.Schedule, error)
2019-06-22 07:10:21 +00:00
}
type scheduler struct {
DB ScheduleDB
}
2019-06-24 01:02:31 +00:00
func (s *scheduler) RunTasks() {
log.Println("[info] Task Queue Started")
// Tick every 4 minutes,
// but run tasks for up to 5 minutes before getting more.
ticker := time.NewTicker(4 * time.Minute)
// TODO some way to add things to the live queue
// (maybe a select between the ticker and an incoming channel)
// 'min' should be >= 'last' at least one second
last := time.Now()
for {
min := time.Now()
if last.Unix() > min.Unix() {
min = last
}
max := min.Add(5 * time.Minute)
scheds, err := s.DB.Upcoming(min, max)
if nil != err {
// this seems pretty unrecoverable
// TODO check DB, reconnect
os.Exit(911)
return
}
log.Printf("[info] Got %d upcoming tasks", len(scheds))
log.Println(time.Now())
log.Println(min)
log.Println(max)
log.Println()
log.Println(time.Now().UTC())
log.Println(min.UTC())
log.Println(max.UTC())
for i := range scheds {
sched := scheds[i]
fmt.Println("it's in the queue")
sleep := sched.NextRunAt.Sub(time.Now())
// TODO create ticker to select on instead
time.Sleep(sleep)
fmt.Println("it's happening")
for i := range sched.Webhooks {
h := sched.Webhooks[i]
h.TZ = sched.TZ
webhooks.Run(webhooks.Webhook(h))
}
// we only deal in second resulotion
last = sched.NextRunAt.Add(1 * time.Second)
}
<-ticker.C
}
}
2019-06-22 07:10:21 +00:00
func (s *scheduler) Handle(w http.ResponseWriter, r *http.Request) {
2019-06-23 03:50:17 +00:00
// note: no go-routines reading body in handlers to follow
2019-06-22 07:28:02 +00:00
defer r.Body.Close()
2019-06-23 03:50:17 +00:00
2019-06-22 07:28:02 +00:00
token := strings.TrimPrefix(r.Header.Get("Authorization"), "Bearer ")
2019-06-23 03:50:17 +00:00
if 32 != len(token) {
2019-06-22 07:28:02 +00:00
http.Error(w, "Authorization Header did not contain a valid token", http.StatusForbidden)
return
}
2019-06-23 03:50:17 +00:00
ctx := r.Context()
ctx = context.WithValue(ctx, "token", token)
r = r.WithContext(ctx)
2019-06-22 07:28:02 +00:00
2019-06-22 07:10:21 +00:00
switch r.Method {
case http.MethodGet:
s.List(w, r)
return
case http.MethodPost:
2019-06-23 03:50:17 +00:00
s.Create(w, r)
2019-06-22 07:10:21 +00:00
return
2019-06-23 09:01:24 +00:00
case http.MethodDelete:
s.Delete(w, r)
return
2019-06-22 07:10:21 +00:00
default:
http.Error(w, "Not Implemented", http.StatusNotImplemented)
return
}
}
func (s *scheduler) List(w http.ResponseWriter, r *http.Request) {
2019-06-23 03:50:17 +00:00
accessID := r.Context().Value("token").(string)
schedules, err := s.DB.List(accessID)
2019-06-22 07:10:21 +00:00
if nil != err {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
buf, err := json.Marshal(schedules)
if nil != err {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
w.Write(buf)
2019-06-21 18:35:08 +00:00
}
2019-06-23 03:50:17 +00:00
func (s *scheduler) Create(w http.ResponseWriter, r *http.Request) {
// TODO validate user
accessID := r.Context().Value("token").(string)
2019-06-23 06:08:05 +00:00
/*
br, bw := io.Pipe()
b := io.TeeReader(r.Body, bw)
go func() {
x, _ := ioutil.ReadAll(b)
2019-06-23 09:01:24 +00:00
fmt.Println("[debug] http body", string(x))
2019-06-23 06:08:05 +00:00
bw.Close()
}()
decoder := json.NewDecoder(br)
*/
2019-06-23 03:50:17 +00:00
decoder := json.NewDecoder(r.Body)
sched := &again.Schedule{}
2019-06-23 06:08:05 +00:00
err := decoder.Decode(sched)
2019-06-23 03:50:17 +00:00
if nil != err {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
2019-06-23 06:08:05 +00:00
fmt.Printf("New Schedule:\n%#v\n", sched)
2019-06-23 03:50:17 +00:00
// TODO validate and modify
2019-06-24 01:02:31 +00:00
dateParts := strings.Split(sched.Date, "-")
if 3 != len(dateParts) {
http.Error(w, "Invalid date", http.StatusBadRequest)
return
}
timeParts := strings.Split(sched.Time, ":")
if 2 == len(timeParts) {
timeParts = append(timeParts, "00")
}
if 3 != len(timeParts) {
http.Error(w, "Invalid time", http.StatusBadRequest)
return
}
// sub-minute resolution not supported yet
timeParts[2] = "00"
dtParts := []int{0, 0, 0, 0, 0, 0}
for i := range dateParts {
n, err := strconv.Atoi(dateParts[i])
if nil != err {
http.Error(w, fmt.Sprintf("Invalid date part '%s'", n), http.StatusBadRequest)
return
}
dtParts[i] = n
}
for i := range timeParts {
n, err := strconv.Atoi(timeParts[i])
if nil != err {
http.Error(w, fmt.Sprintf("Invalid time part '%s'", n), http.StatusBadRequest)
return
}
dtParts[i+3] = n
}
_, err = again.Exists(dtParts, time.UTC.String())
if nil != err {
http.Error(w, fmt.Sprintf("Invalid datetime: %s", err), http.StatusBadRequest)
return
}
// TODO warn on non-existant / ambiguous timing
loc, err := time.LoadLocation(sched.TZ)
if nil != err {
http.Error(w, fmt.Sprintf("Invalid timezone: %s", err), http.StatusBadRequest)
return
}
t := time.Date(dtParts[0], time.Month(dtParts[1]), dtParts[2], dtParts[3], dtParts[4], dtParts[5], 0, loc).UTC()
now := time.Now().UTC()
// 4.5 minutes (about 5 minutes)
ahead := t.Sub(now)
if ahead < 270 {
http.Error(w,
fmt.Sprintf("Invalid datetime: should be 5+ minutes into the future, not just %d seconds", ahead),
http.StatusBadRequest)
return
}
fmt.Println("Time in UTC:", t)
// stagger
t = t.Add(time.Duration(rand.Intn(300*1000)-150*1000) * time.Millisecond)
// Avoid the Leap Second
if 23 == t.Hour() && 59 == t.Minute() && 59 == t.Second() {
j := rand.Intn(1) - 2
n := rand.Intn(3)
// +/- 3 seconds
t = t.Add(time.Duration(j*n) * time.Second)
}
fmt.Println("Staggered Time:", t)
// TODO add to immediate queue if soon enough
sched.NextRunAt = t
2019-06-23 03:50:17 +00:00
sched.AccessID = accessID
2019-06-23 06:08:05 +00:00
sched2, err := s.DB.Set(*sched)
if nil != err {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
2019-06-23 03:50:17 +00:00
2019-06-23 06:08:05 +00:00
buf, err := json.Marshal(sched2)
2019-06-23 03:50:17 +00:00
if nil != err {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
w.Write(buf)
}
2019-06-23 09:01:24 +00:00
func (s *scheduler) Delete(w http.ResponseWriter, r *http.Request) {
// TODO validate user
accessID := r.Context().Value("token").(string)
parts := strings.Split(r.URL.Path, "/")
// ""/"api"/"v0"/"schedules"/":id"
if 5 != len(parts) {
http.Error(w, "Not Found", http.StatusNotFound)
return
}
id := parts[4]
sched2, err := s.DB.Delete(accessID, id)
if nil != err {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
buf, err := json.Marshal(sched2)
if nil != err {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
w.Write(buf)
}