2022-03-15 21:50:11 +01:00
|
|
|
package server
|
|
|
|
|
|
|
|
import (
|
2022-03-19 00:20:31 +01:00
|
|
|
"log"
|
|
|
|
|
|
|
|
"errors"
|
|
|
|
"html/template"
|
|
|
|
"io"
|
|
|
|
|
2022-03-15 21:50:11 +01:00
|
|
|
"github.com/labstack/echo/v4"
|
|
|
|
"github.com/oscarmlage/wikingo/model"
|
|
|
|
)
|
|
|
|
|
2022-03-19 00:20:31 +01:00
|
|
|
// Define the template registry struct
|
|
|
|
type TemplateRegistry struct {
|
|
|
|
templates map[string]*template.Template
|
|
|
|
}
|
|
|
|
|
|
|
|
// Implement e.Renderer interface
|
|
|
|
func (t *TemplateRegistry) Render(w io.Writer, name string, data interface{}, c echo.Context) error {
|
|
|
|
tmpl, ok := t.templates[name]
|
|
|
|
if !ok {
|
|
|
|
err := errors.New("Template not found -> " + name)
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
return tmpl.ExecuteTemplate(w, "base.html", data)
|
|
|
|
}
|
|
|
|
|
2022-03-18 13:15:55 +01:00
|
|
|
var (
|
2022-03-18 23:36:26 +01:00
|
|
|
store model.Store
|
2022-03-18 13:15:55 +01:00
|
|
|
)
|
2022-03-15 21:50:11 +01:00
|
|
|
|
|
|
|
func Serve() {
|
2022-03-18 23:36:26 +01:00
|
|
|
|
2022-03-18 13:15:55 +01:00
|
|
|
// Store instance
|
2022-03-18 23:36:26 +01:00
|
|
|
// Depending on config we should open one store or other
|
|
|
|
// (Gorm, File, Git...)
|
|
|
|
store = new(model.StoreGorm)
|
2022-03-15 21:50:11 +01:00
|
|
|
err := store.Open()
|
|
|
|
if err != nil {
|
|
|
|
log.Panicln(err)
|
|
|
|
}
|
2022-03-18 13:15:55 +01:00
|
|
|
|
|
|
|
// Echo instance
|
2022-03-15 21:50:11 +01:00
|
|
|
e := echo.New()
|
2022-03-18 13:15:55 +01:00
|
|
|
|
2022-03-19 00:20:31 +01:00
|
|
|
// Instantiate a template registry with an array of template set
|
|
|
|
// Ref: https://gist.github.com/rand99/808e6e9702c00ce64803d94abff65678
|
|
|
|
templates := make(map[string]*template.Template)
|
|
|
|
templates["home.html"] = template.Must(template.ParseFiles("views/home.html", "views/base.html"))
|
|
|
|
templates["about.html"] = template.Must(template.ParseFiles("views/about.html", "views/base.html"))
|
|
|
|
e.Renderer = &TemplateRegistry{
|
|
|
|
templates: templates,
|
|
|
|
}
|
|
|
|
|
2022-03-18 13:15:55 +01:00
|
|
|
// Routes
|
2022-03-15 21:50:11 +01:00
|
|
|
e.GET("/", WikiHome)
|
|
|
|
e.GET("/about", WikiAbout)
|
|
|
|
e.GET("/about/:id", WikiAbout)
|
|
|
|
|
2022-03-18 13:15:55 +01:00
|
|
|
// Logger
|
2022-03-15 21:50:11 +01:00
|
|
|
e.Logger.Fatal(e.Start(":2323"))
|
|
|
|
}
|