chore(dev): dynamically load templates during dev
All checks were successful
continuous-integration/drone/push Build is passing
All checks were successful
continuous-integration/drone/push Build is passing
This commit is contained in:
parent
75ed394f8d
commit
a69b7452ce
108
api/api.go
108
api/api.go
@ -2,7 +2,6 @@ package api
|
|||||||
|
|
||||||
import (
|
import (
|
||||||
"context"
|
"context"
|
||||||
"embed"
|
|
||||||
"fmt"
|
"fmt"
|
||||||
"html/template"
|
"html/template"
|
||||||
"io/fs"
|
"io/fs"
|
||||||
@ -25,7 +24,7 @@ import (
|
|||||||
type API struct {
|
type API struct {
|
||||||
db *database.DBManager
|
db *database.DBManager
|
||||||
cfg *config.Config
|
cfg *config.Config
|
||||||
assets *embed.FS
|
assets fs.FS
|
||||||
httpServer *http.Server
|
httpServer *http.Server
|
||||||
templates map[string]*template.Template
|
templates map[string]*template.Template
|
||||||
userAuthCache map[string]string
|
userAuthCache map[string]string
|
||||||
@ -33,7 +32,7 @@ type API struct {
|
|||||||
|
|
||||||
var htmlPolicy = bluemonday.StrictPolicy()
|
var htmlPolicy = bluemonday.StrictPolicy()
|
||||||
|
|
||||||
func NewApi(db *database.DBManager, c *config.Config, assets *embed.FS) *API {
|
func NewApi(db *database.DBManager, c *config.Config, assets fs.FS) *API {
|
||||||
api := &API{
|
api := &API{
|
||||||
db: db,
|
db: db,
|
||||||
cfg: c,
|
cfg: c,
|
||||||
@ -41,48 +40,54 @@ func NewApi(db *database.DBManager, c *config.Config, assets *embed.FS) *API {
|
|||||||
userAuthCache: make(map[string]string),
|
userAuthCache: make(map[string]string),
|
||||||
}
|
}
|
||||||
|
|
||||||
// Create Router
|
// Create router
|
||||||
router := gin.New()
|
router := gin.New()
|
||||||
|
|
||||||
// Add Server
|
// Add server
|
||||||
api.httpServer = &http.Server{
|
api.httpServer = &http.Server{
|
||||||
Handler: router,
|
Handler: router,
|
||||||
Addr: (":" + c.ListenPort),
|
Addr: (":" + c.ListenPort),
|
||||||
}
|
}
|
||||||
|
|
||||||
// Add Logger
|
// Add global logging middleware
|
||||||
router.Use(apiLogger())
|
router.Use(loggingMiddleware)
|
||||||
|
|
||||||
// Assets & Web App Templates
|
// Add global template loader middleware (develop)
|
||||||
|
if c.Version == "develop" {
|
||||||
|
log.Info("utilizing debug template loader")
|
||||||
|
router.Use(api.templateMiddleware(router))
|
||||||
|
}
|
||||||
|
|
||||||
|
// Assets & web app templates
|
||||||
assetsDir, _ := fs.Sub(assets, "assets")
|
assetsDir, _ := fs.Sub(assets, "assets")
|
||||||
router.StaticFS("/assets", http.FS(assetsDir))
|
router.StaticFS("/assets", http.FS(assetsDir))
|
||||||
|
|
||||||
// Generate Auth Token
|
// Generate auth token
|
||||||
var newToken []byte
|
var newToken []byte
|
||||||
var err error
|
var err error
|
||||||
if c.CookieAuthKey != "" {
|
if c.CookieAuthKey != "" {
|
||||||
log.Info("Utilizing environment cookie auth key")
|
log.Info("utilizing environment cookie auth key")
|
||||||
newToken = []byte(c.CookieAuthKey)
|
newToken = []byte(c.CookieAuthKey)
|
||||||
} else {
|
} else {
|
||||||
log.Info("Generating cookie auth key")
|
log.Info("generating cookie auth key")
|
||||||
newToken, err = utils.GenerateToken(64)
|
newToken, err = utils.GenerateToken(64)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
log.Panic("Unable to generate cookie auth key")
|
log.Panic("unable to generate cookie auth key")
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Set Enc Token
|
// Set enc token
|
||||||
store := cookie.NewStore(newToken)
|
store := cookie.NewStore(newToken)
|
||||||
if c.CookieEncKey != "" {
|
if c.CookieEncKey != "" {
|
||||||
if len(c.CookieEncKey) == 16 || len(c.CookieEncKey) == 32 {
|
if len(c.CookieEncKey) == 16 || len(c.CookieEncKey) == 32 {
|
||||||
log.Info("Utilizing environment cookie encryption key")
|
log.Info("utilizing environment cookie encryption key")
|
||||||
store = cookie.NewStore(newToken, []byte(c.CookieEncKey))
|
store = cookie.NewStore(newToken, []byte(c.CookieEncKey))
|
||||||
} else {
|
} else {
|
||||||
log.Panic("Invalid cookie encryption key (must be 16 or 32 bytes)")
|
log.Panic("invalid cookie encryption key (must be 16 or 32 bytes)")
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Configure Cookie Session Store
|
// Configure cookie session store
|
||||||
store.Options(sessions.Options{
|
store.Options(sessions.Options{
|
||||||
MaxAge: 60 * 60 * 24 * 7,
|
MaxAge: 60 * 60 * 24 * 7,
|
||||||
Secure: c.CookieSecure,
|
Secure: c.CookieSecure,
|
||||||
@ -91,10 +96,10 @@ func NewApi(db *database.DBManager, c *config.Config, assets *embed.FS) *API {
|
|||||||
})
|
})
|
||||||
router.Use(sessions.Sessions("token", store))
|
router.Use(sessions.Sessions("token", store))
|
||||||
|
|
||||||
// Register Web App Route
|
// Register web app route
|
||||||
api.registerWebAppRoutes(router)
|
api.registerWebAppRoutes(router)
|
||||||
|
|
||||||
// Register API Routes
|
// Register API routes
|
||||||
apiGroup := router.Group("/api")
|
apiGroup := router.Group("/api")
|
||||||
api.registerKOAPIRoutes(apiGroup)
|
api.registerKOAPIRoutes(apiGroup)
|
||||||
api.registerOPDSRoutes(apiGroup)
|
api.registerOPDSRoutes(apiGroup)
|
||||||
@ -107,7 +112,7 @@ func (api *API) Start() error {
|
|||||||
}
|
}
|
||||||
|
|
||||||
func (api *API) Stop() error {
|
func (api *API) Stop() error {
|
||||||
// Stop Server
|
// Stop server
|
||||||
ctx, cancel := context.WithTimeout(context.Background(), 10*time.Second)
|
ctx, cancel := context.WithTimeout(context.Background(), 10*time.Second)
|
||||||
defer cancel()
|
defer cancel()
|
||||||
err := api.httpServer.Shutdown(ctx)
|
err := api.httpServer.Shutdown(ctx)
|
||||||
@ -120,23 +125,23 @@ func (api *API) Stop() error {
|
|||||||
}
|
}
|
||||||
|
|
||||||
func (api *API) registerWebAppRoutes(router *gin.Engine) {
|
func (api *API) registerWebAppRoutes(router *gin.Engine) {
|
||||||
// Generate Templates
|
// Generate templates
|
||||||
router.HTMLRender = *api.generateTemplates()
|
router.HTMLRender = *api.generateTemplates()
|
||||||
|
|
||||||
// Static Assets (Required @ Root)
|
// Static assets (required @ root)
|
||||||
router.GET("/manifest.json", api.appWebManifest)
|
router.GET("/manifest.json", api.appWebManifest)
|
||||||
router.GET("/favicon.ico", api.appFaviconIcon)
|
router.GET("/favicon.ico", api.appFaviconIcon)
|
||||||
router.GET("/sw.js", api.appServiceWorker)
|
router.GET("/sw.js", api.appServiceWorker)
|
||||||
|
|
||||||
// Local / Offline Static Pages (No Template, No Auth)
|
// Local / offline static pages (no template, no auth)
|
||||||
router.GET("/local", api.appLocalDocuments)
|
router.GET("/local", api.appLocalDocuments)
|
||||||
|
|
||||||
// Reader (Reader Page, Document Progress, Devices)
|
// Reader (reader page, document progress, devices)
|
||||||
router.GET("/reader", api.appDocumentReader)
|
router.GET("/reader", api.appDocumentReader)
|
||||||
router.GET("/reader/devices", api.authWebAppMiddleware, api.appGetDevices)
|
router.GET("/reader/devices", api.authWebAppMiddleware, api.appGetDevices)
|
||||||
router.GET("/reader/progress/:document", api.authWebAppMiddleware, api.appGetDocumentProgress)
|
router.GET("/reader/progress/:document", api.authWebAppMiddleware, api.appGetDocumentProgress)
|
||||||
|
|
||||||
// Web App
|
// Web app
|
||||||
router.GET("/", api.authWebAppMiddleware, api.appGetHome)
|
router.GET("/", api.authWebAppMiddleware, api.appGetHome)
|
||||||
router.GET("/activity", api.authWebAppMiddleware, api.appGetActivity)
|
router.GET("/activity", api.authWebAppMiddleware, api.appGetActivity)
|
||||||
router.GET("/progress", api.authWebAppMiddleware, api.appGetProgress)
|
router.GET("/progress", api.authWebAppMiddleware, api.appGetProgress)
|
||||||
@ -157,7 +162,7 @@ func (api *API) registerWebAppRoutes(router *gin.Engine) {
|
|||||||
router.POST("/login", api.appAuthLogin)
|
router.POST("/login", api.appAuthLogin)
|
||||||
router.POST("/register", api.appAuthRegister)
|
router.POST("/register", api.appAuthRegister)
|
||||||
|
|
||||||
// Demo Mode Enabled Configuration
|
// Demo mode enabled configuration
|
||||||
if api.cfg.DemoMode {
|
if api.cfg.DemoMode {
|
||||||
router.POST("/documents", api.authWebAppMiddleware, api.appDemoModeError)
|
router.POST("/documents", api.authWebAppMiddleware, api.appDemoModeError)
|
||||||
router.POST("/documents/:document/delete", api.authWebAppMiddleware, api.appDemoModeError)
|
router.POST("/documents/:document/delete", api.authWebAppMiddleware, api.appDemoModeError)
|
||||||
@ -172,7 +177,7 @@ func (api *API) registerWebAppRoutes(router *gin.Engine) {
|
|||||||
router.POST("/settings", api.authWebAppMiddleware, api.appEditSettings)
|
router.POST("/settings", api.authWebAppMiddleware, api.appEditSettings)
|
||||||
}
|
}
|
||||||
|
|
||||||
// Search Enabled Configuration
|
// Search enabled configuration
|
||||||
if api.cfg.SearchEnabled {
|
if api.cfg.SearchEnabled {
|
||||||
router.GET("/search", api.authWebAppMiddleware, api.appGetSearch)
|
router.GET("/search", api.authWebAppMiddleware, api.appGetSearch)
|
||||||
router.POST("/search", api.authWebAppMiddleware, api.appSaveNewDocument)
|
router.POST("/search", api.authWebAppMiddleware, api.appSaveNewDocument)
|
||||||
@ -182,7 +187,7 @@ func (api *API) registerWebAppRoutes(router *gin.Engine) {
|
|||||||
func (api *API) registerKOAPIRoutes(apiGroup *gin.RouterGroup) {
|
func (api *API) registerKOAPIRoutes(apiGroup *gin.RouterGroup) {
|
||||||
koGroup := apiGroup.Group("/ko")
|
koGroup := apiGroup.Group("/ko")
|
||||||
|
|
||||||
// KO Sync Routes (WebApp Uses - Progress & Activity)
|
// KO sync routes (webapp uses - progress & activity)
|
||||||
koGroup.GET("/documents/:document/file", api.authKOMiddleware, api.createDownloadDocumentHandler(apiErrorPage))
|
koGroup.GET("/documents/:document/file", api.authKOMiddleware, api.createDownloadDocumentHandler(apiErrorPage))
|
||||||
koGroup.GET("/syncs/progress/:document", api.authKOMiddleware, api.koGetProgress)
|
koGroup.GET("/syncs/progress/:document", api.authKOMiddleware, api.koGetProgress)
|
||||||
koGroup.GET("/users/auth", api.authKOMiddleware, api.koAuthorizeUser)
|
koGroup.GET("/users/auth", api.authKOMiddleware, api.koAuthorizeUser)
|
||||||
@ -191,7 +196,7 @@ func (api *API) registerKOAPIRoutes(apiGroup *gin.RouterGroup) {
|
|||||||
koGroup.POST("/users/create", api.koAuthRegister)
|
koGroup.POST("/users/create", api.koAuthRegister)
|
||||||
koGroup.PUT("/syncs/progress", api.authKOMiddleware, api.koSetProgress)
|
koGroup.PUT("/syncs/progress", api.authKOMiddleware, api.koSetProgress)
|
||||||
|
|
||||||
// Demo Mode Enabled Configuration
|
// Demo mode enabled configuration
|
||||||
if api.cfg.DemoMode {
|
if api.cfg.DemoMode {
|
||||||
koGroup.POST("/documents", api.authKOMiddleware, api.koDemoModeJSONError)
|
koGroup.POST("/documents", api.authKOMiddleware, api.koDemoModeJSONError)
|
||||||
koGroup.POST("/syncs/documents", api.authKOMiddleware, api.koDemoModeJSONError)
|
koGroup.POST("/syncs/documents", api.authKOMiddleware, api.koDemoModeJSONError)
|
||||||
@ -206,7 +211,7 @@ func (api *API) registerKOAPIRoutes(apiGroup *gin.RouterGroup) {
|
|||||||
func (api *API) registerOPDSRoutes(apiGroup *gin.RouterGroup) {
|
func (api *API) registerOPDSRoutes(apiGroup *gin.RouterGroup) {
|
||||||
opdsGroup := apiGroup.Group("/opds")
|
opdsGroup := apiGroup.Group("/opds")
|
||||||
|
|
||||||
// OPDS Routes
|
// OPDS routes
|
||||||
opdsGroup.GET("", api.authOPDSMiddleware, api.opdsEntry)
|
opdsGroup.GET("", api.authOPDSMiddleware, api.opdsEntry)
|
||||||
opdsGroup.GET("/", api.authOPDSMiddleware, api.opdsEntry)
|
opdsGroup.GET("/", api.authOPDSMiddleware, api.opdsEntry)
|
||||||
opdsGroup.GET("/search.xml", api.authOPDSMiddleware, api.opdsSearchDescription)
|
opdsGroup.GET("/search.xml", api.authOPDSMiddleware, api.opdsSearchDescription)
|
||||||
@ -216,7 +221,7 @@ func (api *API) registerOPDSRoutes(apiGroup *gin.RouterGroup) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
func (api *API) generateTemplates() *multitemplate.Renderer {
|
func (api *API) generateTemplates() *multitemplate.Renderer {
|
||||||
// Define Templates & Helper Functions
|
// Define templates & helper functions
|
||||||
templates := make(map[string]*template.Template)
|
templates := make(map[string]*template.Template)
|
||||||
render := multitemplate.NewRenderer()
|
render := multitemplate.NewRenderer()
|
||||||
helperFuncs := template.FuncMap{
|
helperFuncs := template.FuncMap{
|
||||||
@ -229,45 +234,45 @@ func (api *API) generateTemplates() *multitemplate.Renderer {
|
|||||||
"niceSeconds": niceSeconds,
|
"niceSeconds": niceSeconds,
|
||||||
}
|
}
|
||||||
|
|
||||||
// Load Base
|
// Load base
|
||||||
b, _ := api.assets.ReadFile("templates/base.tmpl")
|
b, _ := fs.ReadFile(api.assets, "templates/base.tmpl")
|
||||||
baseTemplate := template.Must(template.New("base").Funcs(helperFuncs).Parse(string(b)))
|
baseTemplate := template.Must(template.New("base").Funcs(helperFuncs).Parse(string(b)))
|
||||||
|
|
||||||
// Load SVGs
|
// Load SVGs
|
||||||
svgs, _ := api.assets.ReadDir("templates/svgs")
|
svgs, _ := fs.ReadDir(api.assets, "templates/svgs")
|
||||||
for _, item := range svgs {
|
for _, item := range svgs {
|
||||||
basename := item.Name()
|
basename := item.Name()
|
||||||
path := fmt.Sprintf("templates/svgs/%s", basename)
|
path := fmt.Sprintf("templates/svgs/%s", basename)
|
||||||
name := strings.TrimSuffix(basename, filepath.Ext(basename))
|
name := strings.TrimSuffix(basename, filepath.Ext(basename))
|
||||||
|
|
||||||
b, _ := api.assets.ReadFile(path)
|
b, _ := fs.ReadFile(api.assets, path)
|
||||||
baseTemplate = template.Must(baseTemplate.New("svg/" + name).Parse(string(b)))
|
baseTemplate = template.Must(baseTemplate.New("svg/" + name).Parse(string(b)))
|
||||||
templates["svg/"+name] = baseTemplate
|
templates["svg/"+name] = baseTemplate
|
||||||
}
|
}
|
||||||
|
|
||||||
// Load Components
|
// Load components
|
||||||
components, _ := api.assets.ReadDir("templates/components")
|
components, _ := fs.ReadDir(api.assets, "templates/components")
|
||||||
for _, item := range components {
|
for _, item := range components {
|
||||||
basename := item.Name()
|
basename := item.Name()
|
||||||
path := fmt.Sprintf("templates/components/%s", basename)
|
path := fmt.Sprintf("templates/components/%s", basename)
|
||||||
name := strings.TrimSuffix(basename, filepath.Ext(basename))
|
name := strings.TrimSuffix(basename, filepath.Ext(basename))
|
||||||
|
|
||||||
// Clone Base Template
|
// Clone Base Template
|
||||||
b, _ := api.assets.ReadFile(path)
|
b, _ := fs.ReadFile(api.assets, path)
|
||||||
baseTemplate = template.Must(baseTemplate.New("component/" + name).Parse(string(b)))
|
baseTemplate = template.Must(baseTemplate.New("component/" + name).Parse(string(b)))
|
||||||
render.Add("component/"+name, baseTemplate)
|
render.Add("component/"+name, baseTemplate)
|
||||||
templates["component/"+name] = baseTemplate
|
templates["component/"+name] = baseTemplate
|
||||||
}
|
}
|
||||||
|
|
||||||
// Load Pages
|
// Load pages
|
||||||
pages, _ := api.assets.ReadDir("templates/pages")
|
pages, _ := fs.ReadDir(api.assets, "templates/pages")
|
||||||
for _, item := range pages {
|
for _, item := range pages {
|
||||||
basename := item.Name()
|
basename := item.Name()
|
||||||
path := fmt.Sprintf("templates/pages/%s", basename)
|
path := fmt.Sprintf("templates/pages/%s", basename)
|
||||||
name := strings.TrimSuffix(basename, filepath.Ext(basename))
|
name := strings.TrimSuffix(basename, filepath.Ext(basename))
|
||||||
|
|
||||||
// Clone Base Template
|
// Clone Base Template
|
||||||
b, _ := api.assets.ReadFile(path)
|
b, _ := fs.ReadFile(api.assets, path)
|
||||||
pageTemplate, _ := template.Must(baseTemplate.Clone()).New("page/" + name).Parse(string(b))
|
pageTemplate, _ := template.Must(baseTemplate.Clone()).New("page/" + name).Parse(string(b))
|
||||||
render.Add("page/"+name, pageTemplate)
|
render.Add("page/"+name, pageTemplate)
|
||||||
templates["page/"+name] = pageTemplate
|
templates["page/"+name] = pageTemplate
|
||||||
@ -278,19 +283,18 @@ func (api *API) generateTemplates() *multitemplate.Renderer {
|
|||||||
return &render
|
return &render
|
||||||
}
|
}
|
||||||
|
|
||||||
func apiLogger() gin.HandlerFunc {
|
func loggingMiddleware(c *gin.Context) {
|
||||||
return func(c *gin.Context) {
|
// Start timer
|
||||||
// Start Timer
|
|
||||||
startTime := time.Now()
|
startTime := time.Now()
|
||||||
|
|
||||||
// Process Request
|
// Process request
|
||||||
c.Next()
|
c.Next()
|
||||||
|
|
||||||
// End Timer
|
// End timer
|
||||||
endTime := time.Now()
|
endTime := time.Now()
|
||||||
latency := endTime.Sub(startTime).Round(time.Microsecond)
|
latency := endTime.Sub(startTime).Round(time.Microsecond)
|
||||||
|
|
||||||
// Log Data
|
// Log data
|
||||||
logData := log.Fields{
|
logData := log.Fields{
|
||||||
"type": "access",
|
"type": "access",
|
||||||
"ip": c.ClientIP(),
|
"ip": c.ClientIP(),
|
||||||
@ -300,18 +304,24 @@ func apiLogger() gin.HandlerFunc {
|
|||||||
"path": c.Request.URL.Path,
|
"path": c.Request.URL.Path,
|
||||||
}
|
}
|
||||||
|
|
||||||
// Get Username
|
// Get username
|
||||||
var auth authData
|
var auth authData
|
||||||
if data, _ := c.Get("Authorization"); data != nil {
|
if data, _ := c.Get("Authorization"); data != nil {
|
||||||
auth = data.(authData)
|
auth = data.(authData)
|
||||||
}
|
}
|
||||||
|
|
||||||
// Log User
|
// Log user
|
||||||
if auth.UserName != "" {
|
if auth.UserName != "" {
|
||||||
logData["user"] = auth.UserName
|
logData["user"] = auth.UserName
|
||||||
}
|
}
|
||||||
|
|
||||||
// Log Result
|
// Log result
|
||||||
log.WithFields(logData).Info(fmt.Sprintf("%s %s", c.Request.Method, c.Request.URL.Path))
|
log.WithFields(logData).Info(fmt.Sprintf("%s %s", c.Request.Method, c.Request.URL.Path))
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (api *API) templateMiddleware(router *gin.Engine) gin.HandlerFunc {
|
||||||
|
return func(c *gin.Context) {
|
||||||
|
router.HTMLRender = *api.generateTemplates()
|
||||||
|
c.Next()
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
@ -19,8 +19,8 @@ type streamer struct {
|
|||||||
|
|
||||||
func (api *API) newStreamer(c *gin.Context, data string) *streamer {
|
func (api *API) newStreamer(c *gin.Context, data string) *streamer {
|
||||||
stream := &streamer{
|
stream := &streamer{
|
||||||
templates: api.templates,
|
|
||||||
writer: c.Writer,
|
writer: c.Writer,
|
||||||
|
templates: api.templates,
|
||||||
completeCh: make(chan struct{}),
|
completeCh: make(chan struct{}),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
22
main.go
22
main.go
@ -2,17 +2,19 @@ package main
|
|||||||
|
|
||||||
import (
|
import (
|
||||||
"embed"
|
"embed"
|
||||||
|
"io/fs"
|
||||||
"os"
|
"os"
|
||||||
"os/signal"
|
"os/signal"
|
||||||
"syscall"
|
"syscall"
|
||||||
|
|
||||||
log "github.com/sirupsen/logrus"
|
log "github.com/sirupsen/logrus"
|
||||||
"github.com/urfave/cli/v2"
|
"github.com/urfave/cli/v2"
|
||||||
|
"reichard.io/antholume/config"
|
||||||
"reichard.io/antholume/server"
|
"reichard.io/antholume/server"
|
||||||
)
|
)
|
||||||
|
|
||||||
//go:embed templates/* assets/*
|
//go:embed templates/* assets/*
|
||||||
var assets embed.FS
|
var embeddedAssets embed.FS
|
||||||
|
|
||||||
func main() {
|
func main() {
|
||||||
app := &cli.App{
|
app := &cli.App{
|
||||||
@ -35,21 +37,29 @@ func main() {
|
|||||||
}
|
}
|
||||||
|
|
||||||
func cmdServer(ctx *cli.Context) error {
|
func cmdServer(ctx *cli.Context) error {
|
||||||
|
var assets fs.FS = embeddedAssets
|
||||||
|
|
||||||
|
// Load config
|
||||||
|
c := config.Load()
|
||||||
|
if c.Version == "develop" {
|
||||||
|
assets = os.DirFS("./")
|
||||||
|
}
|
||||||
|
|
||||||
log.Info("Starting AnthoLume Server")
|
log.Info("Starting AnthoLume Server")
|
||||||
|
|
||||||
// Create Channel
|
// Create notify channel
|
||||||
signals := make(chan os.Signal, 1)
|
signals := make(chan os.Signal, 1)
|
||||||
signal.Notify(signals, os.Interrupt, syscall.SIGTERM)
|
signal.Notify(signals, os.Interrupt, syscall.SIGTERM)
|
||||||
|
|
||||||
// Start Server
|
// Start server
|
||||||
s := server.New(&assets)
|
s := server.New(c, assets)
|
||||||
s.Start()
|
s.Start()
|
||||||
|
|
||||||
// Wait & Close
|
// Wait & close
|
||||||
<-signals
|
<-signals
|
||||||
s.Stop()
|
s.Stop()
|
||||||
|
|
||||||
// Stop Server
|
// Stop server
|
||||||
os.Exit(0)
|
os.Exit(0)
|
||||||
|
|
||||||
return nil
|
return nil
|
||||||
|
@ -14,10 +14,6 @@ import (
|
|||||||
"github.com/stretchr/testify/assert"
|
"github.com/stretchr/testify/assert"
|
||||||
)
|
)
|
||||||
|
|
||||||
// const GBOOKS_QUERY_URL string = "https://www.googleapis.com/books/v1/volumes?q=%s"
|
|
||||||
// const GBOOKS_GBID_INFO_URL string = "https://www.googleapis.com/books/v1/volumes/%s"
|
|
||||||
// const GBOOKS_GBID_COVER_URL string = "https://books.google.com/books/content/images/frontcover/%s?fife=w480-h690"
|
|
||||||
|
|
||||||
//go:embed _test_files/gbooks_id_response.json
|
//go:embed _test_files/gbooks_id_response.json
|
||||||
var idResp string
|
var idResp string
|
||||||
|
|
||||||
|
@ -1,7 +1,7 @@
|
|||||||
package server
|
package server
|
||||||
|
|
||||||
import (
|
import (
|
||||||
"embed"
|
"io/fs"
|
||||||
"net/http"
|
"net/http"
|
||||||
"sync"
|
"sync"
|
||||||
"time"
|
"time"
|
||||||
@ -21,8 +21,7 @@ type server struct {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// Create new server
|
// Create new server
|
||||||
func New(assets *embed.FS) *server {
|
func New(c *config.Config, assets fs.FS) *server {
|
||||||
c := config.Load()
|
|
||||||
db := database.NewMgr(c)
|
db := database.NewMgr(c)
|
||||||
api := api.NewApi(db, c, assets)
|
api := api.NewApi(db, c, assets)
|
||||||
|
|
||||||
|
Loading…
Reference in New Issue
Block a user