5 Commits
v0.9 ... v0.9-2

Author SHA1 Message Date
e72171f1ef Add site restart chat command (fix #21) 2024-03-15 19:19:19 -05:00
85ab2a963b Add chatcommand argument parsing 2024-03-15 18:27:02 -05:00
25512974d2 Add per-site optional configuration (fix #15) 2024-03-15 17:51:45 -05:00
9dc85805e3 Remove config.json 2024-03-15 17:12:41 -05:00
75ffee63c5 Add --disable-matrix flag for testing (fix #19) 2024-03-15 15:57:32 -05:00
5 changed files with 119 additions and 58 deletions

View File

@ -2,9 +2,9 @@
package main
import (
"os"
"encoding/json"
"log"
"os"
)
// Configuration stores information retrieved from a configuration file
@ -39,4 +39,3 @@ func parseConfig(path string, config *Configuration) {
config.matrix.password = matrix["password"].(string)
config.matrix.room_id = matrix["room_id"].(string)
}

View File

@ -1,10 +0,0 @@
{
"port": 7575,
"sites_dir": "./sites",
"matrix": {
"homeserver": "https://retroedge.tech",
"username": "@lapisdeploy:retroedge.tech",
"password": "orange73",
"room_id": "!CVyqZMOFBXFdExgnug:retroedge.tech"
}
}

View File

@ -58,7 +58,8 @@ func handler(data map[string]interface{}) {
}
sendMessage(MatrixMessage{text: "⚪️ Starting server..."})
if site, exists, err = getSite(repo_name); err != nil {
deploy_error := newDeployError(1, "handler", "Failed to get site '%s' after creation!", fmt.Sprint(err))
deploy_error := newDeployError(1, "handler",
fmt.Sprintf("Failed to get site '%s' after creation!", repo_name), fmt.Sprint(err))
deploy_error.SendOverMatrix()
}
if deploy_error := site.Start(); deploy_error.code != 0 {
@ -75,6 +76,7 @@ func main() {
// Parse arguments
parser := argparse.NewParser("lapisdeploy", "Easily deploy Lapis web applications through Gitea webhooks")
config_path := parser.String("c", "config", &argparse.Options{Required: false, Help: "Configuration file", Default: "./config.json"})
disable_matrix := parser.Flag("M", "disable-matrix", &argparse.Options{Required: false, Help: "Disable Matrix chat bot", Default: false})
if err := parser.Parse(os.Args); err != nil { // Parse arguments
fmt.Print(parser.Usage(err)) // Show usage if there's an error
return
@ -96,6 +98,10 @@ func main() {
log.Printf("Starting Lapis Deploy on port %d...", configuration.port)
startAllSites() // Start all the servers
if !*disable_matrix { // Only start Matrix bot if --disable-matrix isn't passed
go initMatrix() // Start Matrix stuff in a goroutine
} else {
log.Print("Matrix bot is disabled!")
}
log.Fatal(http.ListenAndServe(fmt.Sprintf(":%d", configuration.port), nil)) // Start HTTP server
}

View File

@ -3,15 +3,15 @@ package main
import (
"context"
"log"
"time"
"strings"
"fmt"
"log"
"strings"
"time"
"maunium.net/go/mautrix"
"maunium.net/go/mautrix/event"
"maunium.net/go/mautrix/id"
"maunium.net/go/mautrix/format"
"maunium.net/go/mautrix/id"
)
// MatrixMessage stores information about a matrix message.
@ -19,10 +19,13 @@ type MatrixMessage struct {
text string
}
// MatrixCommandCallback is a function that gets called when the bot is issued a command over Matrix
type MatrixCommandCallback func(ctx context.Context, evt *event.Event, args []string) string
// MatrixCommand stores information about a matrix chat command
type MatrixCommand struct {
cmd string
callback func(ctx context.Context, evt *event.Event) string
callback MatrixCommandCallback
description string
}
@ -38,7 +41,7 @@ func sendMessage(msg MatrixMessage) {
}
// registerChatCommand
func registerChatCommand(cmd string, description string, callback func(ctx context.Context, evt *event.Event) string) {
func registerChatCommand(cmd string, description string, callback MatrixCommandCallback) {
Chatcommands = append(Chatcommands, MatrixCommand{
cmd: cmd,
callback: callback,
@ -84,11 +87,13 @@ func initMatrix() {
prefixes := []string{"!", configuration.matrix.username + " "}
for _, prefix := range prefixes {
if strings.HasPrefix(evt.Content.AsMessage().Body, prefix) {
msg := evt.Content.AsMessage().Body
cmd := strings.TrimPrefix(strings.Split(msg, " ")[0], prefix)
found_command := false
for _, command := range Chatcommands {
if command.cmd == strings.TrimPrefix(evt.Content.AsMessage().Body, prefix) {
if command.cmd == cmd {
found_command = true
out := command.callback(ctx, evt)
out := command.callback(ctx, evt, strings.Split(strings.TrimPrefix(msg, prefix+cmd), " "))
content := format.RenderMarkdown(out, true, false)
content.SetReply(evt)
client.SendMessageEvent(ctx, evt.RoomID, event.EventMessage, content)
@ -103,7 +108,7 @@ func initMatrix() {
}
})
registerChatCommand("help", "Show the help dialouge", func(ctx context.Context, evt *event.Event) string {
registerChatCommand("help", "Show the help dialouge", func(ctx context.Context, evt *event.Event, args []string) string {
text := ""
for _, cmd := range Chatcommands {
text = fmt.Sprintf("%s- %s\n %s\n", text, cmd.cmd, cmd.description)
@ -111,7 +116,7 @@ func initMatrix() {
return text
})
registerChatCommand("sites", "Display all available sites", func(ctx context.Context, evt *event.Event) string {
registerChatCommand("sites", "Display all available sites", func(ctx context.Context, evt *event.Event, args []string) string {
text := "⚪️ Getting sites...\n"
sites, err := getAllSites()
if err.code != 0 {
@ -126,6 +131,25 @@ func initMatrix() {
return text
})
registerChatCommand("restart", "Restart a site.", func(ctx context.Context, evt *event.Event, args []string) string {
if len(args) < 2 {
return "🔴 Invalid site."
}
site, found, err := getSite(args[1])
if err != nil {
return "🔴 Failed to get site " + args[2] + "!"
} else if !found {
return "🔴 Invalid site."
}
text := "⚪️ Restarting server..."
derr := site.Restart()
if derr.code != 0 {
derr.SendOverMatrix()
return text + "\n🔴 Failed to restart site!"
}
return text + "\n🟢 Successfully restarted site."
})
go func() {
for range time.Tick(time.Second * 6) {
log.Printf("Scanning for queued messages...")

60
site.go
View File

@ -2,6 +2,7 @@
package main
import (
"encoding/json"
"errors"
"fmt"
"log"
@ -16,22 +17,63 @@ import (
// Site contains information and methods used for management of a Lapis site.
type Site struct {
name string
config SiteConfig
}
// SiteConfig contains parsed data from a site's configuration file
type SiteConfig struct {
port int64
name string
}
// getSite gets a specific site and returns a Site struct and a bool indicating whether a site was found.
func getSite(name string) (Site, bool, error) {
site_path := configuration.sites_dir + "/" + name
exists, err := fileExists(site_path);
exists, err := fileExists(site_path)
if err != nil {
return Site{}, false, errors.New(fmt.Sprintf("Failed to get site '%s'", name))
}
if exists {
return Site{name: name}, true, nil
site := Site{name: name}
site.getConfig() // Get per-site config
return site, true, nil
} else {
return Site{}, false, nil
}
}
// getConfig parses a site's configuration file
func (site *Site) getConfig() (bool, error) {
path := fmt.Sprintf("%s/%s/deploy_config.json", configuration.sites_dir, site.name)
if exists, _ := fileExists(path); !exists {
return false, nil
}
file, _ := os.Open(path)
var data map[string]interface{}
err := json.NewDecoder(file).Decode(&data)
if err != nil {
log.Panic("Failed to parse config:", err)
}
file.Close()
// Parse the config
var config SiteConfig
config.name = data["name"].(string)
config.port = int64(data["port"].(float64))
site.config = config
return true, nil
}
// getName gets a website's configured name (falls back to technical name if one isn't configured)
func (site *Site) getName() string {
if site.config.name == "" {
return site.name
} else {
return site.config.name
}
}
// getAllSites gets every site installed.
func getAllSites() ([]Site, DeployError) {
sites_dir := configuration.sites_dir
@ -71,7 +113,7 @@ func startAllSites() DeployError {
// Start attempts to start a Lapis server in the given repository.
func (site *Site) Start() DeployError {
log.Printf("Starting Lapis server in repository %s...", site.name)
log.Printf("Starting Lapis server in %s...", site.getName())
old_cwd, _ := os.Getwd()
defer syscall.Chdir(old_cwd)
@ -80,7 +122,7 @@ func (site *Site) Start() DeployError {
cmd := exec.Command("lapis", "serve")
if err := cmd.Start(); err != nil {
return newDeployError(1, "startSite",
fmt.Sprintf("Failed to start Lapis server in repository '%s'", site.name), "")
fmt.Sprintf("Failed to start Lapis server in '%s'", site.getName()), "")
}
go func() {
cmd.Wait()
@ -91,7 +133,7 @@ func (site *Site) Start() DeployError {
// Restart attempts to restart the Lapis server in the given repository.
func (site *Site) Restart() DeployError {
log.Printf("Restarting Lapis server on repository %s...", site.name)
log.Printf("Restarting Lapis server in %s...", site.getName())
old_cwd, _ := os.Getwd()
defer syscall.Chdir(old_cwd)
@ -100,19 +142,19 @@ func (site *Site) Restart() DeployError {
out, err := exec.Command("lapis", "build").CombinedOutput()
if err != nil {
return newDeployError(1, "restartSite",
fmt.Sprintf("Failed to run 'lapis build' in repository '%s'", site.name), string(out))
fmt.Sprintf("Failed to run 'lapis build' in '%s'", site.getName()), string(out))
}
log.Printf("[lapis build] %s", out)
if !strings.Contains(string(out), "HUP") {
return newDeployError(1, "restartSite",
"'lapis build' command returned unexpected value! (Lapis server not running?)", string(out))
"Failed to restart Lapis server! (Lapis not running?)", string(out))
}
return DeployError{}
}
// Update attempts to pull or clone a repository using the given name and url
func (site *Site) Update() DeployError {
log.Printf("Pulling down repository %s...", site.name)
log.Printf("Pulling down repository %s...", site.getName())
repo, err := git.Open(configuration.sites_dir + "/" + site.name)
if err != nil {
return newDeployError(1, "updateSite",
@ -120,7 +162,7 @@ func (site *Site) Update() DeployError {
}
if err = repo.Pull(); err != nil {
return newDeployError(1, "updateSite",
fmt.Sprintf("Failed to pull down git repository '%s'", site.name), fmt.Sprint(err))
fmt.Sprintf("Failed to pull down git repository '%s'", site.getName()), fmt.Sprint(err))
}
return DeployError{}
}