strimertul/main.go

242 lines
6.8 KiB
Go

package main
import (
"embed"
"flag"
"fmt"
"io/fs"
"log"
"net/http"
"time"
"github.com/strimertul/strimertul/kv"
"github.com/strimertul/strimertul/logger"
"github.com/strimertul/strimertul/modules"
"github.com/strimertul/strimertul/modules/loyalty"
"github.com/strimertul/strimertul/stulbe"
"github.com/strimertul/strimertul/twitchbot"
"github.com/strimertul/strimertul/utils"
"github.com/dgraph-io/badger/v3"
jsoniter "github.com/json-iterator/go"
"github.com/pkg/browser"
)
const AppTitle = "strimertül"
const AppHeader = `
_ _ _ O O _
__| |_ _ _(_)_ __ ___ _ _| |_ _ _| |
(_-< _| '_| | ' \/ -_) '_| _| || | |
/__/\__|_| |_|_|_|_\___|_| \__|\_,_|_| `
const DefaultBind = "localhost:4337"
//go:embed frontend/dist/*
var frontend embed.FS
func wrapLogger(module string) logger.LogFn {
return func(level logger.MessageType, format string, args ...interface{}) {
args = append([]interface{}{module, level}, args...)
log.Printf("[%s/%s] "+format, args...)
}
}
func main() {
dbfile := flag.String("dbdir", "data", "Path to strimertul database dir")
flag.Parse()
fmt.Println(AppHeader)
var json = jsoniter.ConfigDefault
// Loading routine
db, err := badger.Open(badger.DefaultOptions(*dbfile))
failOnError(err, "Could not open DB")
defer db.Close()
// Check if onboarding was completed
var moduleConfig modules.ModuleConfig
err = utils.DBGetJSON(db, modules.ModuleConfigKey, &moduleConfig)
if err != nil {
if err == badger.ErrKeyNotFound {
moduleConfig = modules.ModuleConfig{CompletedOnboarding: false}
} else {
fatalError(err, "Could not read from DB")
}
}
if !moduleConfig.CompletedOnboarding {
// Initialize DB as empty and default endpoint
err := db.Update(func(t *badger.Txn) error {
encoded, err := json.Marshal(modules.HTTPServerConfig{
Bind: DefaultBind,
})
if err != nil {
return err
}
err = t.Set([]byte(modules.HTTPServerConfigKey), encoded)
if err != nil {
return err
}
onboardingConf := modules.ModuleConfig{
EnableKV: true,
EnableStaticServer: false,
EnableTwitchbot: false,
EnableStulbe: false,
CompletedOnboarding: true,
}
encoded, err = json.Marshal(onboardingConf)
if err != nil {
return err
}
return t.Set([]byte(modules.ModuleConfigKey), encoded)
})
failOnError(err, "could not save webserver config")
fmt.Printf("It appears this is your first time running %s! Please go to http://%s and make sure to configure anything you want!\n\n", AppTitle, DefaultBind)
}
// Initialize KV (required)
hub := kv.NewHub(db, wrapLogger("kv"))
go hub.Run()
// Get HTTP config
var httpConfig modules.HTTPServerConfig
failOnError(utils.DBGetJSON(db, modules.HTTPServerConfigKey, &httpConfig), "Could not retrieve HTTP server config")
// Get Stulbe config, if enabled
var stulbeClient *stulbe.StulbeClient = nil
if moduleConfig.EnableStulbe {
var stulbeConfig modules.StulbeConfig
failOnError(utils.DBGetJSON(db, modules.StulbeConfigKey, &stulbeConfig), "Could not retrieve Stulbe config")
stulbeClient = stulbe.NewClient(stulbeConfig.Endpoint)
}
var loyaltyManager *loyalty.Manager
loyaltyLogger := wrapLogger("loyalty")
if moduleConfig.EnableLoyalty {
loyaltyManager, err = loyalty.NewManager(db, hub, loyaltyLogger)
if err != nil {
fatalError(err, "Could not initialize loyalty system")
}
}
//TODO Refactor this to something sane
if moduleConfig.EnableTwitchbot {
// Create logger
twitchLogger := wrapLogger("twitchbot")
// Get Twitchbot config
var twitchConfig modules.TwitchBotConfig
failOnError(utils.DBGetJSON(db, modules.TwitchBotConfigKey, &twitchConfig), "Could not retrieve twitch bot config")
bot := twitchbot.NewBot(twitchConfig.Username, twitchConfig.Token, twitchLogger)
if moduleConfig.EnableLoyalty {
bot.Loyalty = loyaltyManager
bot.SetBanList(loyaltyManager.Config.BanList)
}
bot.Client.Join(twitchConfig.Channel)
if moduleConfig.EnableLoyalty {
bot.Client.OnConnect(func() {
if loyaltyManager.Config.Points.Interval > 0 {
go func() {
twitchLogger(logger.MTNotice, "Loyalty poll started")
for {
// Wait for next poll
time.Sleep(time.Duration(loyaltyManager.Config.Points.Interval) * time.Second)
// Check if streamer is online, if possible
streamOnline := true
if loyaltyManager.Config.LiveCheck && moduleConfig.EnableStulbe {
status, err := stulbeClient.StreamStatus(twitchConfig.Channel)
if err != nil {
twitchLogger(logger.MTError, "Error checking stream status: %s", err.Error())
} else {
streamOnline = status != nil
}
}
// If stream is confirmed offline, don't give points away!
if !streamOnline {
twitchLogger(logger.MTNotice, "Loyalty poll active but stream is offline!")
continue
}
// Get user list
users, err := bot.Client.Userlist(twitchConfig.Channel)
if err != nil {
twitchLogger(logger.MTError, "Error listing users: %s", err.Error())
continue
}
// Iterate for each user in the list
pointsToGive := make(map[string]int64)
for _, user := range users {
// Check if user is blocked
if bot.IsBanned(user) {
continue
}
// Check if user was active (chatting) for the bonus dingus
award := loyaltyManager.Config.Points.Amount
if bot.IsActive(user) {
award += loyaltyManager.Config.Points.ActivityBonus
}
// Add to point pool if already on it, otherwise initialize
pointsToGive[user] = award
}
bot.ResetActivity()
// If changes were made, save the pool!
if len(users) > 0 {
loyaltyManager.GivePoints(pointsToGive)
}
}
}()
}
})
}
go func() {
failOnError(bot.Connect(), "connection failed")
}()
}
// Create logger and endpoints
httpLogger := wrapLogger("http")
fedir, _ := fs.Sub(frontend, "frontend/dist")
http.Handle("/ui/", http.StripPrefix("/ui/", FileServerWithDefault(http.FS(fedir))))
http.HandleFunc("/ws", func(w http.ResponseWriter, r *http.Request) {
kv.ServeWs(hub, w, r)
})
if moduleConfig.EnableStaticServer {
http.Handle("/static/", http.StripPrefix("/static/", http.FileServer(http.Dir(httpConfig.Path))))
}
go func() {
time.Sleep(time.Second) // THIS IS STUPID
browser.OpenURL(fmt.Sprintf("http://%s/ui", httpConfig.Bind))
}()
// Start HTTP server
httpLogger(logger.MTNotice, "serving %s", httpConfig.Path)
fatalError(http.ListenAndServe(httpConfig.Bind, nil), "HTTP server died unexepectedly")
}
func failOnError(err error, text string) {
if err != nil {
fatalError(err, text)
}
}
func fatalError(err error, text string) {
log.Fatalf("FATAL ERROR OCCURRED: %s\n\n%s", text, err.Error())
}