fix steaming, stale data, proxy bugs and more

This commit is contained in:
Zoe
2024-12-13 03:33:04 -06:00
parent e46bb05b39
commit 7689999413
13 changed files with 798 additions and 658 deletions

2
.gitignore vendored
View File

@@ -2,4 +2,4 @@ fluxd
flux flux
!cmd/flux !cmd/flux
!cmd/fluxd !cmd/fluxd
fluxdd/ fluxdd*

View File

@@ -31,6 +31,9 @@ sudo ./fluxd
FLUXD_ROOT_DIR=$PWD/fluxdd zqdgr run:daemon FLUXD_ROOT_DIR=$PWD/fluxdd zqdgr run:daemon
``` ```
> [!IMPORTANT]
> CGO is required to build the daemon due to the use of [mattn/go-sqlite3](https://github.com/mattn/go-sqlite3)
### CLI ### CLI
Install the CLI using the following command: Install the CLI using the following command:

View File

@@ -20,6 +20,7 @@ import (
"sync" "sync"
"time" "time"
"github.com/agnivade/levenshtein"
"github.com/briandowns/spinner" "github.com/briandowns/spinner"
"github.com/juls0730/flux/pkg" "github.com/juls0730/flux/pkg"
) )
@@ -178,18 +179,18 @@ func getProjectName(command string, args []string) (string, error) {
if len(args) == 0 { if len(args) == 0 {
if _, err := os.Stat("flux.json"); err != nil { if _, err := os.Stat("flux.json"); err != nil {
return "", fmt.Errorf("Usage: flux %[1]s <app name>, or run flux %[1]s in the project directory", command) return "", fmt.Errorf("usage: flux %[1]s <app name>, or run flux %[1]s in the project directory", command)
} }
fluxConfigFile, err := os.Open("flux.json") fluxConfigFile, err := os.Open("flux.json")
if err != nil { if err != nil {
return "", fmt.Errorf("Failed to open flux.json: %v", err) return "", fmt.Errorf("failed to open flux.json: %v", err)
} }
defer fluxConfigFile.Close() defer fluxConfigFile.Close()
var config pkg.ProjectConfig var config pkg.ProjectConfig
if err := json.NewDecoder(fluxConfigFile).Decode(&config); err != nil { if err := json.NewDecoder(fluxConfigFile).Decode(&config); err != nil {
return "", fmt.Errorf("Failed to decode flux.json: %v", err) return "", fmt.Errorf("failed to decode flux.json: %v", err)
} }
projectName = config.Name projectName = config.Name
@@ -248,54 +249,7 @@ func (w *CustomStdout) Printf(format string, a ...interface{}) (n int, err error
return w.Write([]byte(str)) return w.Write([]byte(str))
} }
var helpStr = `Usage: func DeployCommand(seekingHelp bool, config Config, info pkg.Info, loadingSpinner *spinner.Spinner, spinnerWriter *CustomSpinnerWriter, args []string) error {
flux <command>
Available Commands:
init Initialize a new project
deploy Deploy a new version of the app
stop Stop a container
start Start a container
delete Delete a container
list List all containers
Flags:
-h, --help help for flux
Use "flux <command> --help" for more information about a command.`
func runCommand(command string, args []string, config Config, info pkg.Info) error {
seekingHelp := false
if len(args) > 0 && (args[len(args)-1] == "--help" || args[len(args)-1] == "-h") {
seekingHelp = true
args = args[:len(args)-1]
}
spinnerWriter := CustomSpinnerWriter{
currentSpinnerMsg: "",
lock: sync.Mutex{},
}
loadingSpinner := spinner.New(spinner.CharSets[14], 100*time.Millisecond, spinner.WithWriter(&spinnerWriter))
defer func() {
if loadingSpinner.Active() {
loadingSpinner.Stop()
}
}()
signalChannel := make(chan os.Signal, 1)
signal.Notify(signalChannel, os.Interrupt)
go func() {
<-signalChannel
if loadingSpinner.Active() {
loadingSpinner.Stop()
}
os.Exit(0)
}()
switch command {
case "deploy":
if seekingHelp { if seekingHelp {
fmt.Println(`Usage: fmt.Println(`Usage:
flux deploy flux deploy
@@ -305,7 +259,7 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
} }
if _, err := os.Stat("flux.json"); err != nil { if _, err := os.Stat("flux.json"); err != nil {
return fmt.Errorf("No flux.json found, please run flux init first") return fmt.Errorf("no flux.json found, please run flux init first")
} }
loadingSpinner.Suffix = " Deploying" loadingSpinner.Suffix = " Deploying"
@@ -313,7 +267,7 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
buf, err := compressDirectory(info.Compression) buf, err := compressDirectory(info.Compression)
if err != nil { if err != nil {
return fmt.Errorf("Failed to compress directory: %v", err) return fmt.Errorf("failed to compress directory: %v", err)
} }
body := &bytes.Buffer{} body := &bytes.Buffer{}
@@ -321,74 +275,82 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
configPart, err := writer.CreateFormFile("config", "flux.json") configPart, err := writer.CreateFormFile("config", "flux.json")
if err != nil { if err != nil {
return fmt.Errorf("Failed to create config part: %v", err) return fmt.Errorf("failed to create config part: %v", err)
} }
fluxConfigFile, err := os.Open("flux.json") fluxConfigFile, err := os.Open("flux.json")
if err != nil { if err != nil {
return fmt.Errorf("Failed to open flux.json: %v", err) return fmt.Errorf("failed to open flux.json: %v", err)
} }
defer fluxConfigFile.Close() defer fluxConfigFile.Close()
if _, err := io.Copy(configPart, fluxConfigFile); err != nil { if _, err := io.Copy(configPart, fluxConfigFile); err != nil {
return fmt.Errorf("Failed to write config part: %v", err) return fmt.Errorf("failed to write config part: %v", err)
} }
codePart, err := writer.CreateFormFile("code", "code.tar.gz") codePart, err := writer.CreateFormFile("code", "code.tar.gz")
if err != nil { if err != nil {
return fmt.Errorf("Failed to create code part: %v", err) return fmt.Errorf("failed to create code part: %v", err)
} }
if _, err := codePart.Write(buf); err != nil { if _, err := codePart.Write(buf); err != nil {
return fmt.Errorf("Failed to write code part: %v", err) return fmt.Errorf("failed to write code part: %v", err)
} }
if err := writer.Close(); err != nil { if err := writer.Close(); err != nil {
return fmt.Errorf("Failed to close writer: %v", err) return fmt.Errorf("failed to close writer: %v", err)
} }
req, err := http.NewRequest("POST", config.DeamonURL+"/deploy", body) req, err := http.NewRequest("POST", config.DeamonURL+"/deploy", body)
req.Header.Set("Content-Type", writer.FormDataContentType()) req.Header.Set("Content-Type", writer.FormDataContentType())
if err != nil {
return fmt.Errorf("failed to create request: %v", err)
}
resp, err := http.DefaultClient.Do(req) resp, err := http.DefaultClient.Do(req)
if err != nil { if err != nil {
return fmt.Errorf("Failed to send request: %v", err) return fmt.Errorf("failed to send request: %v", err)
} }
defer resp.Body.Close() defer resp.Body.Close()
customWriter := &CustomStdout{ customWriter := &CustomStdout{
spinner: &spinnerWriter, spinner: spinnerWriter,
lock: sync.Mutex{}, lock: sync.Mutex{},
} }
scanner := bufio.NewScanner(resp.Body) scanner := bufio.NewScanner(resp.Body)
var event string
var data pkg.DeploymentEvent
for scanner.Scan() { for scanner.Scan() {
line := scanner.Text() line := scanner.Text()
if strings.HasPrefix(line, "data: ") { if strings.HasPrefix(line, "data: ") {
var event pkg.DeploymentEvent if err := json.Unmarshal([]byte(line[6:]), &data); err != nil {
if err := json.Unmarshal([]byte(line[6:]), &event); err == nil { return fmt.Errorf("failed to parse deployment event: %v", err)
switch event.Stage { }
switch event {
case "complete": case "complete":
loadingSpinner.Stop() loadingSpinner.Stop()
var deploymentResponse struct { var deploymentResponse struct {
App pkg.App `json:"app"` App pkg.App `json:"app"`
} }
if err := json.Unmarshal([]byte(event.Message), &deploymentResponse); err != nil { if err := json.Unmarshal([]byte(data.Message), &deploymentResponse); err != nil {
return fmt.Errorf("Failed to parse deployment response: %v", err) return fmt.Errorf("failed to parse deployment response: %v", err)
} }
fmt.Printf("App %s deployed successfully!\n", deploymentResponse.App.Name) fmt.Printf("App %s deployed successfully!\n", deploymentResponse.App.Name)
return nil return nil
case "cmd_output": case "cmd_output":
customWriter.Printf("... %s\n", event.Message) customWriter.Printf("... %s\n", data.Message)
case "error": case "error":
loadingSpinner.Stop() loadingSpinner.Stop()
return fmt.Errorf("Deployment failed: %s\n", event.Error) return fmt.Errorf("deployment failed: %s", data.Message)
default: default:
customWriter.Printf("%s\n", event.Message) customWriter.Printf("%s\n", data.Message)
}
} }
event = ""
} else if strings.HasPrefix(line, "event: ") {
event = strings.TrimPrefix(line, "event: ")
} }
} }
@@ -400,9 +362,13 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
responseBody = []byte(strings.TrimSuffix(string(responseBody), "\n")) responseBody = []byte(strings.TrimSuffix(string(responseBody), "\n"))
return fmt.Errorf("Deploy failed: %s", responseBody) return fmt.Errorf("deploy failed: %s", responseBody)
} }
case "stop":
return nil
}
func StopCommand(seekingHelp bool, config Config, info pkg.Info, loadingSpinner *spinner.Spinner, spinnerWriter *CustomSpinnerWriter, args []string) error {
if seekingHelp { if seekingHelp {
fmt.Println(`Usage: fmt.Println(`Usage:
flux stop flux stop
@@ -411,14 +377,14 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
return nil return nil
} }
projectName, err := getProjectName(command, args) projectName, err := getProjectName("stop", args)
if err != nil { if err != nil {
return err return err
} }
req, err := http.Post(config.DeamonURL+"/stop/"+projectName, "application/json", nil) req, err := http.Post(config.DeamonURL+"/stop/"+projectName, "application/json", nil)
if err != nil { if err != nil {
return fmt.Errorf("Failed to stop app: %v", err) return fmt.Errorf("failed to stop app: %v", err)
} }
defer req.Body.Close() defer req.Body.Close()
@@ -430,11 +396,14 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
responseBody = []byte(strings.TrimSuffix(string(responseBody), "\n")) responseBody = []byte(strings.TrimSuffix(string(responseBody), "\n"))
return fmt.Errorf("Stop failed: %s", responseBody) return fmt.Errorf("stop failed: %s", responseBody)
} }
fmt.Printf("Successfully stopped %s\n", projectName) fmt.Printf("Successfully stopped %s\n", projectName)
case "start": return nil
}
func StartCommand(seekingHelp bool, config Config, info pkg.Info, loadingSpinner *spinner.Spinner, spinnerWriter *CustomSpinnerWriter, args []string) error {
if seekingHelp { if seekingHelp {
fmt.Println(`Usage: fmt.Println(`Usage:
flux start flux start
@@ -443,14 +412,14 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
return nil return nil
} }
projectName, err := getProjectName(command, args) projectName, err := getProjectName("start", args)
if err != nil { if err != nil {
return err return err
} }
req, err := http.Post(config.DeamonURL+"/start/"+projectName, "application/json", nil) req, err := http.Post(config.DeamonURL+"/start/"+projectName, "application/json", nil)
if err != nil { if err != nil {
return fmt.Errorf("Failed to start app: %v", err) return fmt.Errorf("failed to start app: %v", err)
} }
defer req.Body.Close() defer req.Body.Close()
@@ -462,11 +431,15 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
responseBody = []byte(strings.TrimSuffix(string(responseBody), "\n")) responseBody = []byte(strings.TrimSuffix(string(responseBody), "\n"))
return fmt.Errorf("Start failed: %s", responseBody) return fmt.Errorf("start failed: %s", responseBody)
} }
fmt.Printf("Successfully started %s\n", projectName) fmt.Printf("Successfully started %s\n", projectName)
case "delete":
return nil
}
func DeleteCommand(seekingHelp bool, config Config, info pkg.Info, loadingSpinner *spinner.Spinner, spinnerWriter *CustomSpinnerWriter, args []string) error {
if seekingHelp { if seekingHelp {
fmt.Println(`Usage: fmt.Println(`Usage:
flux delete [project-name | all] flux delete [project-name | all]
@@ -502,7 +475,7 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
req, err := http.NewRequest("DELETE", config.DeamonURL+"/deployments", nil) req, err := http.NewRequest("DELETE", config.DeamonURL+"/deployments", nil)
if err != nil { if err != nil {
return fmt.Errorf("Failed to delete deployments: %v", err) return fmt.Errorf("failed to delete deployments: %v", err)
} }
resp, err := http.DefaultClient.Do(req) resp, err := http.DefaultClient.Do(req)
if err != nil { if err != nil {
@@ -526,7 +499,7 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
} }
} }
projectName, err := getProjectName(command, args) projectName, err := getProjectName("delete", args)
if err != nil { if err != nil {
return err return err
} }
@@ -563,7 +536,11 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
} }
fmt.Printf("Successfully deleted %s\n", projectName) fmt.Printf("Successfully deleted %s\n", projectName)
case "list":
return nil
}
func ListCommand(seekingHelp bool, config Config, info pkg.Info, loadingSpinner *spinner.Spinner, spinnerWriter *CustomSpinnerWriter, args []string) error {
if seekingHelp { if seekingHelp {
fmt.Println(`Usage: fmt.Println(`Usage:
flux list flux list
@@ -601,7 +578,11 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
for _, app := range apps { for _, app := range apps {
fmt.Printf("%s (%s)\n", app.Name, app.DeploymentStatus) fmt.Printf("%s (%s)\n", app.Name, app.DeploymentStatus)
} }
case "init":
return nil
}
func InitCommand(seekingHelp bool, config Config, info pkg.Info, loadingSpinner *spinner.Spinner, spinnerWriter *CustomSpinnerWriter, args []string) error {
if seekingHelp { if seekingHelp {
fmt.Println(`Usage: fmt.Println(`Usage:
flux init [project-name] flux init [project-name]
@@ -628,8 +609,8 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
fmt.Println("What URL should your project listen to?") fmt.Println("What URL should your project listen to?")
fmt.Scanln(&response) fmt.Scanln(&response)
if strings.HasPrefix(response, "http") { if strings.HasPrefix(response, "http") {
strings.TrimPrefix(response, "http://") response = strings.TrimPrefix(response, "http://")
strings.TrimPrefix(response, "https://") response = strings.TrimPrefix(response, "https://")
} }
response = strings.Split(response, "/")[0] response = strings.Split(response, "/")[0]
@@ -641,7 +622,7 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
port, err := strconv.ParseUint(response, 10, 16) port, err := strconv.ParseUint(response, 10, 16)
projectConfig.Port = uint16(port) projectConfig.Port = uint16(port)
if err != nil || projectConfig.Port < 1 || projectConfig.Port > 65535 { if err != nil || projectConfig.Port < 1 || projectConfig.Port > 65535 {
return fmt.Errorf("That doesnt look like a valid port, try a number between 1 and 65535") return fmt.Errorf("that doesnt look like a valid port, try a number between 1 and 65535")
} }
configBytes, err := json.MarshalIndent(projectConfig, "", " ") configBytes, err := json.MarshalIndent(projectConfig, "", " ")
@@ -652,13 +633,108 @@ func runCommand(command string, args []string, config Config, info pkg.Info) err
os.WriteFile("flux.json", configBytes, 0644) os.WriteFile("flux.json", configBytes, 0644)
fmt.Printf("Successfully initialized project %s\n", projectConfig.Name) fmt.Printf("Successfully initialized project %s\n", projectConfig.Name)
default:
return fmt.Errorf("unknown command: %s\n%s", command, helpStr)
}
return nil return nil
} }
var helpStr = `Usage:
flux <command>
Available Commands:
init Initialize a new project
deploy Deploy a new version of the app
stop Stop a container
start Start a container
delete Delete a container
list List all containers
Flags:
-h, --help help for flux
Use "flux <command> --help" for more information about a command.`
var maxDistance = 3
type CommandHandler struct {
commands map[string]func(bool, Config, pkg.Info, *spinner.Spinner, *CustomSpinnerWriter, []string) error
}
func (h *CommandHandler) RegisterCmd(name string, handler func(bool, Config, pkg.Info, *spinner.Spinner, *CustomSpinnerWriter, []string) error) {
h.commands[name] = handler
}
func runCommand(command string, args []string, config Config, info pkg.Info, cmdHandler CommandHandler, try int) error {
if try == 2 {
return fmt.Errorf("Unknown command: %s", command)
}
seekingHelp := false
if len(args) > 0 && (args[len(args)-1] == "--help" || args[len(args)-1] == "-h") {
seekingHelp = true
args = args[:len(args)-1]
}
spinnerWriter := CustomSpinnerWriter{
currentSpinnerMsg: "",
lock: sync.Mutex{},
}
loadingSpinner := spinner.New(spinner.CharSets[14], 100*time.Millisecond, spinner.WithWriter(&spinnerWriter))
defer func() {
if loadingSpinner.Active() {
loadingSpinner.Stop()
}
}()
signalChannel := make(chan os.Signal, 1)
signal.Notify(signalChannel, os.Interrupt)
go func() {
<-signalChannel
if loadingSpinner.Active() {
loadingSpinner.Stop()
}
os.Exit(0)
}()
handler, ok := cmdHandler.commands[command]
if ok {
return handler(seekingHelp, config, info, loadingSpinner, &spinnerWriter, args)
}
// diff the command against the list of commands and if we find a command that is more than 80% similar, ask if that's what the user meant
var closestMatch struct {
name string
score int
}
for cmdName := range cmdHandler.commands {
distance := levenshtein.ComputeDistance(cmdName, command)
if distance <= maxDistance {
if closestMatch.name == "" || distance < closestMatch.score {
closestMatch.name = cmdName
closestMatch.score = distance
}
}
}
if closestMatch.name == "" {
return fmt.Errorf("unknown command: %s", command)
}
var response string
fmt.Printf("No command found with the name '%s'. Did you mean '%s'?\n", command, closestMatch.name)
fmt.Scanln(&response)
if strings.ToLower(response) == "y" || strings.ToLower(response) == "yes" {
command = closestMatch.name
} else {
return nil
}
return runCommand(command, args, config, info, cmdHandler, try+1)
}
func main() { func main() {
if len(os.Args) < 2 { if len(os.Args) < 2 {
fmt.Println(helpStr) fmt.Println(helpStr)
@@ -720,7 +796,17 @@ func main() {
os.Exit(1) os.Exit(1)
} }
err = runCommand(command, args, config, info) cmdHandler := CommandHandler{
commands: make(map[string]func(bool, Config, pkg.Info, *spinner.Spinner, *CustomSpinnerWriter, []string) error),
}
cmdHandler.RegisterCmd("deploy", DeployCommand)
cmdHandler.RegisterCmd("stop", StopCommand)
cmdHandler.RegisterCmd("start", StartCommand)
cmdHandler.RegisterCmd("delete", DeleteCommand)
cmdHandler.RegisterCmd("init", InitCommand)
err = runCommand(command, args, config, info, cmdHandler, 0)
if err != nil { if err != nil {
fmt.Printf("%v\n", err) fmt.Printf("%v\n", err)
os.Exit(1) os.Exit(1)

1
go.mod
View File

@@ -11,6 +11,7 @@ require (
require ( require (
github.com/Microsoft/go-winio v0.4.14 // indirect github.com/Microsoft/go-winio v0.4.14 // indirect
github.com/agnivade/levenshtein v1.2.0 // indirect
github.com/containerd/log v0.1.0 // indirect github.com/containerd/log v0.1.0 // indirect
github.com/distribution/reference v0.6.0 // indirect github.com/distribution/reference v0.6.0 // indirect
github.com/docker/go-connections v0.5.0 // indirect github.com/docker/go-connections v0.5.0 // indirect

2
go.sum
View File

@@ -2,6 +2,8 @@ github.com/Azure/go-ansiterm v0.0.0-20210617225240-d185dfc1b5a1 h1:UQHMgLO+TxOEl
github.com/Azure/go-ansiterm v0.0.0-20210617225240-d185dfc1b5a1/go.mod h1:xomTg63KZ2rFqZQzSB4Vz2SUXa1BpHTVz9L5PTmPC4E= github.com/Azure/go-ansiterm v0.0.0-20210617225240-d185dfc1b5a1/go.mod h1:xomTg63KZ2rFqZQzSB4Vz2SUXa1BpHTVz9L5PTmPC4E=
github.com/Microsoft/go-winio v0.4.14 h1:+hMXMk01us9KgxGb7ftKQt2Xpf5hH/yky+TDA+qxleU= github.com/Microsoft/go-winio v0.4.14 h1:+hMXMk01us9KgxGb7ftKQt2Xpf5hH/yky+TDA+qxleU=
github.com/Microsoft/go-winio v0.4.14/go.mod h1:qXqCSQ3Xa7+6tgxaGTIe4Kpcdsi+P8jBhyzoq1bpyYA= github.com/Microsoft/go-winio v0.4.14/go.mod h1:qXqCSQ3Xa7+6tgxaGTIe4Kpcdsi+P8jBhyzoq1bpyYA=
github.com/agnivade/levenshtein v1.2.0 h1:U9L4IOT0Y3i0TIlUIDJ7rVUziKi/zPbrJGaFrtYH3SY=
github.com/agnivade/levenshtein v1.2.0/go.mod h1:QVVI16kDrtSuwcpd0p1+xMC6Z/VfhtCyDIjcwga4/DU=
github.com/briandowns/spinner v1.23.1 h1:t5fDPmScwUjozhDj4FA46p5acZWIPXYE30qW2Ptu650= github.com/briandowns/spinner v1.23.1 h1:t5fDPmScwUjozhDj4FA46p5acZWIPXYE30qW2Ptu650=
github.com/briandowns/spinner v1.23.1/go.mod h1:LaZeM4wm2Ywy6vO571mvhQNRcWfRUnXOs0RcKV0wYKM= github.com/briandowns/spinner v1.23.1/go.mod h1:LaZeM4wm2Ywy6vO571mvhQNRcWfRUnXOs0RcKV0wYKM=
github.com/cenkalti/backoff/v4 v4.3.0 h1:MyRJ/UdXutAwSAT+s3wNd7MfTIcy71VQueUuFK343L8= github.com/cenkalti/backoff/v4 v4.3.0 h1:MyRJ/UdXutAwSAT+s3wNd7MfTIcy71VQueUuFK343L8=

View File

@@ -17,7 +17,5 @@ type Info struct {
} }
type DeploymentEvent struct { type DeploymentEvent struct {
Stage string `json:"stage"`
Message string `json:"message"` Message string `json:"message"`
Error string `json:"error,omitempty"`
} }

View File

@@ -13,7 +13,7 @@ import (
type App struct { type App struct {
ID int64 `json:"id,omitempty"` ID int64 `json:"id,omitempty"`
Deployment Deployment `json:"deployment,omitempty"` Deployment *Deployment `json:"deployment,omitempty"`
Name string `json:"name,omitempty"` Name string `json:"name,omitempty"`
DeploymentID int64 `json:"deployment_id,omitempty"` DeploymentID int64 `json:"deployment_id,omitempty"`
} }
@@ -24,51 +24,36 @@ func CreateApp(ctx context.Context, imageName string, projectPath string, projec
} }
log.Printf("Creating deployment %s...\n", app.Name) log.Printf("Creating deployment %s...\n", app.Name)
container, err := CreateDockerContainer(ctx, imageName, projectPath, projectConfig) deployment, err := CreateDeployment(projectConfig.Port, projectConfig.Url, Flux.db)
if err != nil || container == nil {
return nil, fmt.Errorf("Failed to create container: %v", err)
}
deployment, err := CreateDeployment(*container, projectConfig.Port, projectConfig.Url, Flux.db)
app.Deployment = deployment app.Deployment = deployment
if err != nil { if err != nil {
log.Printf("Failed to create deployment: %v", err) log.Printf("Failed to create deployment: %v", err)
return nil, err return nil, err
} }
container, err := CreateContainer(ctx, imageName, projectPath, projectConfig, true, deployment)
if err != nil || container == nil {
return nil, fmt.Errorf("failed to create container: %v", err)
}
if appInsertStmt == nil { if appInsertStmt == nil {
appInsertStmt, err = Flux.db.Prepare("INSERT INTO apps (name, deployment_id) VALUES ($1, $2) RETURNING id, name, deployment_id") appInsertStmt, err = Flux.db.Prepare("INSERT INTO apps (name, deployment_id) VALUES ($1, $2) RETURNING id, name, deployment_id")
if err != nil { if err != nil {
return nil, fmt.Errorf("Failed to prepare statement: %v", err) return nil, fmt.Errorf("failed to prepare statement: %v", err)
} }
} }
// create app in the database // create app in the database
err = appInsertStmt.QueryRow(projectConfig.Name, deployment.ID).Scan(&app.ID, &app.Name, &app.DeploymentID) err = appInsertStmt.QueryRow(projectConfig.Name, deployment.ID).Scan(&app.ID, &app.Name, &app.DeploymentID)
if err != nil { if err != nil {
return nil, fmt.Errorf("Failed to insert app: %v", err) return nil, fmt.Errorf("failed to insert app: %v", err)
} }
err = deployment.Start(ctx) err = deployment.Start(ctx)
if err != nil { if err != nil {
return nil, fmt.Errorf("Failed to start deployment: %v", err) return nil, fmt.Errorf("failed to start deployment: %v", err)
} }
var headContainer *Container
for _, container := range deployment.Containers {
if container.Head {
headContainer = &container
}
}
deployment.Proxy, err = NewDeploymentProxy(&deployment, headContainer)
if err != nil {
return nil, fmt.Errorf("Failed to create deployment proxy: %v", err)
}
Flux.proxy.AddDeployment(&deployment)
Flux.appManager.AddApp(app.Name, app) Flux.appManager.AddApp(app.Name, app)
return app, nil return app, nil
@@ -79,16 +64,20 @@ func (app *App) Upgrade(ctx context.Context, projectConfig pkg.ProjectConfig, im
// if deploy is not started, start it // if deploy is not started, start it
deploymentStatus, err := app.Deployment.Status(ctx) deploymentStatus, err := app.Deployment.Status(ctx)
if deploymentStatus != "running" || err != nil { if err != nil {
return fmt.Errorf("failed to get deployment status: %v", err)
}
if deploymentStatus != "running" {
err = app.Deployment.Start(ctx) err = app.Deployment.Start(ctx)
if err != nil { if err != nil {
return fmt.Errorf("Failed to start deployment: %v", err) return fmt.Errorf("failed to start deployment: %v", err)
} }
} }
err = app.Deployment.Upgrade(ctx, projectConfig, imageName, projectPath) err = app.Deployment.Upgrade(ctx, projectConfig, imageName, projectPath)
if err != nil { if err != nil {
return fmt.Errorf("Failed to upgrade deployment: %v", err) return fmt.Errorf("failed to upgrade deployment: %v", err)
} }
return nil return nil
@@ -110,7 +99,7 @@ func (app *App) Remove(ctx context.Context) error {
projectPath := filepath.Join(Flux.rootDir, "apps", app.Name) projectPath := filepath.Join(Flux.rootDir, "apps", app.Name)
err = os.RemoveAll(projectPath) err = os.RemoveAll(projectPath)
if err != nil { if err != nil {
return fmt.Errorf("Failed to remove project directory: %v", err) return fmt.Errorf("failed to remove project directory: %v", err)
} }
return nil return nil
@@ -141,13 +130,17 @@ func (am *AppManager) GetAllApps() []*App {
} }
func (am *AppManager) AddApp(name string, app *App) { func (am *AppManager) AddApp(name string, app *App) {
if app.Deployment.Containers == nil || app.Deployment.Head == nil || len(app.Deployment.Containers) == 0 {
panic("nil containers")
}
am.Store(name, app) am.Store(name, app)
} }
func (am *AppManager) DeleteApp(name string) error { func (am *AppManager) DeleteApp(name string) error {
app := am.GetApp(name) app := am.GetApp(name)
if app == nil { if app == nil {
return fmt.Errorf("App not found") return fmt.Errorf("app not found")
} }
err := app.Remove(context.Background()) err := app.Remove(context.Background())
@@ -185,10 +178,10 @@ func (am *AppManager) Init() {
} }
for _, app := range apps { for _, app := range apps {
var deployment Deployment deployment := &Deployment{}
var headContainer *Container var headContainer *Container
Flux.db.QueryRow("SELECT id, url, port FROM deployments WHERE id = ?", app.DeploymentID).Scan(&deployment.ID, &deployment.URL, &deployment.Port) Flux.db.QueryRow("SELECT id, url, port FROM deployments WHERE id = ?", app.DeploymentID).Scan(&deployment.ID, &deployment.URL, &deployment.Port)
deployment.Containers = make([]Container, 0) deployment.Containers = make([]*Container, 0)
rows, err = Flux.db.Query("SELECT id, container_id, deployment_id, head FROM containers WHERE deployment_id = ?", app.DeploymentID) rows, err = Flux.db.Query("SELECT id, container_id, deployment_id, head FROM containers WHERE deployment_id = ?", app.DeploymentID)
if err != nil { if err != nil {
@@ -201,19 +194,18 @@ func (am *AppManager) Init() {
var container Container var container Container
var containerIDString string var containerIDString string
rows.Scan(&container.ID, &containerIDString, &container.DeploymentID, &container.Head) rows.Scan(&container.ID, &containerIDString, &container.DeploymentID, &container.Head)
container.Deployment = &deployment container.Deployment = deployment
copy(container.ContainerID[:], containerIDString) copy(container.ContainerID[:], containerIDString)
if container.Head { if container.Head {
if headContainer != nil {
log.Fatalf("Several containers are marked as head")
}
headContainer = &container headContainer = &container
} }
deployment.Containers = append(deployment.Containers, container) rows, err := Flux.db.Query("SELECT id, volume_id, container_id, mountpoint FROM volumes WHERE container_id = ?", container.ContainerID[:])
}
for i, container := range deployment.Containers {
var volumes []Volume
rows, err := Flux.db.Query("SELECT id, volume_id, container_id FROM volumes WHERE container_id = ?", container.ID)
if err != nil { if err != nil {
log.Printf("Failed to query volumes: %v\n", err) log.Printf("Failed to query volumes: %v\n", err)
return return
@@ -222,17 +214,32 @@ func (am *AppManager) Init() {
for rows.Next() { for rows.Next() {
var volume Volume var volume Volume
rows.Scan(&volume.ID, &volume.VolumeID, &volume.ContainerID) rows.Scan(&volume.ID, &volume.VolumeID, &volume.ContainerID, &volume.Mountpoint)
volumes = append(volumes, volume) container.Volumes = append(container.Volumes, volume)
} }
deployment.Containers[i].Volumes = volumes deployment.Containers = append(deployment.Containers, &container)
} }
deployment.Proxy, _ = NewDeploymentProxy(&deployment, headContainer) if headContainer == nil {
log.Fatalf("head container is nil!")
}
deployment.Head = headContainer
app.Deployment = deployment app.Deployment = deployment
am.AddApp(app.Name, &app) am.AddApp(app.Name, &app)
status, err := deployment.Status(context.Background())
if err != nil {
log.Printf("Failed to get deployment status: %v\n", err)
continue
}
if status != "running" {
continue
}
deployment.Proxy, _ = deployment.NewDeploymentProxy()
Flux.proxy.AddDeployment(deployment)
} }
} }

View File

@@ -2,6 +2,7 @@ package server
import ( import (
"context" "context"
"database/sql"
"fmt" "fmt"
"log" "log"
"net/http" "net/http"
@@ -17,10 +18,17 @@ import (
"github.com/juls0730/flux/pkg" "github.com/juls0730/flux/pkg"
) )
var (
volumeInsertStmt *sql.Stmt
volumeUpdateStmt *sql.Stmt
containerInsertStmt *sql.Stmt
)
type Volume struct { type Volume struct {
ID int64 `json:"id"` ID int64 `json:"id"`
VolumeID string `json:"volume_id"` VolumeID string `json:"volume_id"`
ContainerID int64 `json:"container_id"` Mountpoint string `json:"mountpoint"`
ContainerID string `json:"container_id"`
} }
type Container struct { type Container struct {
@@ -32,14 +40,13 @@ type Container struct {
DeploymentID int64 `json:"deployment_id"` DeploymentID int64 `json:"deployment_id"`
} }
func CreateDockerVolume(ctx context.Context, name string) (vol *Volume, err error) { func CreateDockerVolume(ctx context.Context) (vol *Volume, err error) {
dockerVolume, err := Flux.dockerClient.VolumeCreate(ctx, volume.CreateOptions{ dockerVolume, err := Flux.dockerClient.VolumeCreate(ctx, volume.CreateOptions{
Driver: "local", Driver: "local",
DriverOpts: map[string]string{}, DriverOpts: map[string]string{},
Name: name,
}) })
if err != nil { if err != nil {
return nil, fmt.Errorf("Failed to create volume: %v", err) return nil, fmt.Errorf("failed to create volume: %v", err)
} }
log.Printf("Volume %s created at %s\n", dockerVolume.Name, dockerVolume.Mountpoint) log.Printf("Volume %s created at %s\n", dockerVolume.Name, dockerVolume.Mountpoint)
@@ -51,21 +58,19 @@ func CreateDockerVolume(ctx context.Context, name string) (vol *Volume, err erro
return vol, nil return vol, nil
} }
func CreateDockerContainer(ctx context.Context, imageName, projectPath string, projectConfig pkg.ProjectConfig) (c *Container, err error) { func CreateDockerContainer(ctx context.Context, imageName, projectPath string, projectConfig pkg.ProjectConfig, vol *Volume) (*Container, error) {
log.Printf("Deploying container with image %s\n", imageName)
containerName := fmt.Sprintf("%s-%s", projectConfig.Name, time.Now().Format("20060102-150405")) containerName := fmt.Sprintf("%s-%s", projectConfig.Name, time.Now().Format("20060102-150405"))
if projectConfig.EnvFile != "" { if projectConfig.EnvFile != "" {
envBytes, err := os.Open(filepath.Join(projectPath, projectConfig.EnvFile)) envBytes, err := os.Open(filepath.Join(projectPath, projectConfig.EnvFile))
if err != nil { if err != nil {
return nil, fmt.Errorf("Failed to open env file: %v", err) return nil, fmt.Errorf("failed to open env file: %v", err)
} }
defer envBytes.Close() defer envBytes.Close()
envVars, err := godotenv.Parse(envBytes) envVars, err := godotenv.Parse(envBytes)
if err != nil { if err != nil {
return nil, fmt.Errorf("Failed to parse env file: %v", err) return nil, fmt.Errorf("failed to parse env file: %v", err)
} }
for key, value := range envVars { for key, value := range envVars {
@@ -73,8 +78,6 @@ func CreateDockerContainer(ctx context.Context, imageName, projectPath string, p
} }
} }
vol, err := CreateDockerVolume(ctx, fmt.Sprintf("flux_%s-volume", projectConfig.Name))
log.Printf("Creating container %s...\n", containerName) log.Printf("Creating container %s...\n", containerName)
resp, err := Flux.dockerClient.ContainerCreate(ctx, &container.Config{ resp, err := Flux.dockerClient.ContainerCreate(ctx, &container.Config{
Image: imageName, Image: imageName,
@@ -90,7 +93,7 @@ func CreateDockerContainer(ctx context.Context, imageName, projectPath string, p
{ {
Type: mount.TypeVolume, Type: mount.TypeVolume,
Source: vol.VolumeID, Source: vol.VolumeID,
Target: "/workspace", Target: vol.Mountpoint,
ReadOnly: false, ReadOnly: false,
}, },
}, },
@@ -100,18 +103,131 @@ func CreateDockerContainer(ctx context.Context, imageName, projectPath string, p
containerName, containerName,
) )
if err != nil { if err != nil {
return nil, fmt.Errorf("Failed to create container: %v", err) return nil, err
} }
c = &Container{ c := &Container{
ContainerID: [64]byte([]byte(resp.ID)), ContainerID: [64]byte([]byte(resp.ID)),
Volumes: []Volume{*vol}, Volumes: []Volume{*vol},
} }
log.Printf("Created new container: %s\n", containerName)
return c, nil return c, nil
} }
func CreateContainer(ctx context.Context, imageName, projectPath string, projectConfig pkg.ProjectConfig, head bool, deployment *Deployment) (c *Container, err error) {
log.Printf("Creating container with image %s\n", imageName)
if projectConfig.EnvFile != "" {
envBytes, err := os.Open(filepath.Join(projectPath, projectConfig.EnvFile))
if err != nil {
return nil, fmt.Errorf("failed to open env file: %v", err)
}
defer envBytes.Close()
envVars, err := godotenv.Parse(envBytes)
if err != nil {
return nil, fmt.Errorf("failed to parse env file: %v", err)
}
for key, value := range envVars {
projectConfig.Environment = append(projectConfig.Environment, fmt.Sprintf("%s=%s", key, value))
}
}
var vol *Volume
vol, err = CreateDockerVolume(ctx)
if err != nil {
return nil, err
}
vol.Mountpoint = "/workspace"
if volumeInsertStmt == nil {
volumeInsertStmt, err = Flux.db.Prepare("INSERT INTO volumes (volume_id, mountpoint, container_id) VALUES (?, ?, ?) RETURNING id, volume_id, mountpoint, container_id")
if err != nil {
log.Printf("Failed to prepare statement: %v\n", err)
return nil, err
}
}
c, err = CreateDockerContainer(ctx, imageName, projectPath, projectConfig, vol)
if err != nil {
return nil, err
}
if containerInsertStmt == nil {
containerInsertStmt, err = Flux.db.Prepare("INSERT INTO containers (container_id, head, deployment_id) VALUES ($1, $2, $3) RETURNING id, container_id, head, deployment_id")
if err != nil {
return nil, err
}
}
var containerIDString string
err = containerInsertStmt.QueryRow(c.ContainerID[:], head, deployment.ID).Scan(&c.ID, &containerIDString, &c.Head, &c.DeploymentID)
if err != nil {
return nil, err
}
copy(c.ContainerID[:], containerIDString)
err = volumeInsertStmt.QueryRow(vol.VolumeID, vol.Mountpoint, c.ContainerID[:]).Scan(&vol.ID, &vol.VolumeID, &vol.Mountpoint, &vol.ContainerID)
if err != nil {
return nil, err
}
c.Deployment = deployment
if head {
deployment.Head = c
}
deployment.Containers = append(deployment.Containers, c)
return c, nil
}
func (c *Container) Upgrade(ctx context.Context, imageName, projectPath string, projectConfig pkg.ProjectConfig) (*Container, error) {
// Create new container with new image
log.Printf("Upgrading container %s...\n", c.ContainerID[:12])
if c.Volumes == nil {
return nil, fmt.Errorf("no volumes found for container %s", c.ContainerID[:12])
}
vol := &c.Volumes[0]
newContainer, err := CreateDockerContainer(ctx, imageName, projectPath, projectConfig, vol)
if err != nil {
return nil, err
}
newContainer.Deployment = c.Deployment
if containerInsertStmt == nil {
containerInsertStmt, err = Flux.db.Prepare("INSERT INTO containers (container_id, head, deployment_id) VALUES ($1, $2, $3) RETURNING id, container_id, head, deployment_id")
if err != nil {
return nil, err
}
}
var containerIDString string
err = containerInsertStmt.QueryRow(newContainer.ContainerID[:], c.Head, c.Deployment.ID).Scan(&newContainer.ID, &containerIDString, &newContainer.Head, &newContainer.DeploymentID)
if err != nil {
log.Printf("Failed to insert container: %v\n", err)
return nil, err
}
copy(newContainer.ContainerID[:], containerIDString)
if volumeUpdateStmt == nil {
volumeUpdateStmt, err = Flux.db.Prepare("UPDATE volumes SET container_id = ? WHERE id = ? RETURNING id, volume_id, mountpoint, container_id")
if err != nil {
return nil, err
}
}
vol = &newContainer.Volumes[0]
volumeUpdateStmt.QueryRow(newContainer.ContainerID[:], vol.ID).Scan(&vol.ID, &vol.VolumeID, &vol.Mountpoint, &vol.ContainerID)
log.Printf("Upgraded container")
return newContainer, nil
}
func (c *Container) Start(ctx context.Context) error { func (c *Container) Start(ctx context.Context) error {
return Flux.dockerClient.ContainerStart(ctx, string(c.ContainerID[:]), container.StartOptions{}) return Flux.dockerClient.ContainerStart(ctx, string(c.ContainerID[:]), container.StartOptions{})
} }
@@ -124,7 +240,7 @@ func (c *Container) Remove(ctx context.Context) error {
err := RemoveDockerContainer(ctx, string(c.ContainerID[:])) err := RemoveDockerContainer(ctx, string(c.ContainerID[:]))
if err != nil { if err != nil {
return fmt.Errorf("Failed to remove container (%s): %v", c.ContainerID[:12], err) return fmt.Errorf("failed to remove container (%s): %v", c.ContainerID[:12], err)
} }
tx, err := Flux.db.Begin() tx, err := Flux.db.Begin()
@@ -142,7 +258,7 @@ func (c *Container) Remove(ctx context.Context) error {
for _, volume := range c.Volumes { for _, volume := range c.Volumes {
if err := RemoveVolume(ctx, volume.VolumeID); err != nil { if err := RemoveVolume(ctx, volume.VolumeID); err != nil {
tx.Rollback() tx.Rollback()
return fmt.Errorf("Failed to remove volume (%s): %v", volume.VolumeID, err) return fmt.Errorf("failed to remove volume (%s): %v", volume.VolumeID, err)
} }
_, err = tx.Exec("DELETE FROM volumes WHERE volume_id = ?", volume.VolumeID) _, err = tx.Exec("DELETE FROM volumes WHERE volume_id = ?", volume.VolumeID)
@@ -176,11 +292,11 @@ func (c *Container) Status(ctx context.Context) (string, error) {
// RemoveContainer stops and removes a container, but be warned that this will not remove the container from the database // RemoveContainer stops and removes a container, but be warned that this will not remove the container from the database
func RemoveDockerContainer(ctx context.Context, containerID string) error { func RemoveDockerContainer(ctx context.Context, containerID string) error {
if err := Flux.dockerClient.ContainerStop(ctx, containerID, container.StopOptions{}); err != nil { if err := Flux.dockerClient.ContainerStop(ctx, containerID, container.StopOptions{}); err != nil {
return fmt.Errorf("Failed to stop container (%s): %v", containerID[:12], err) return fmt.Errorf("failed to stop container (%s): %v", containerID[:12], err)
} }
if err := Flux.dockerClient.ContainerRemove(ctx, containerID, container.RemoveOptions{}); err != nil { if err := Flux.dockerClient.ContainerRemove(ctx, containerID, container.RemoveOptions{}); err != nil {
return fmt.Errorf("Failed to remove container (%s): %v", containerID[:12], err) return fmt.Errorf("failed to remove container (%s): %v", containerID[:12], err)
} }
return nil return nil
@@ -220,7 +336,7 @@ func GracefullyRemoveDockerContainer(ctx context.Context, containerID string) er
Timeout: &timeout, Timeout: &timeout,
}) })
if err != nil { if err != nil {
return fmt.Errorf("Failed to stop container: %v", err) return fmt.Errorf("failed to stop container: %v", err)
} }
ctx, cancel := context.WithTimeout(ctx, time.Duration(timeout)*time.Second) ctx, cancel := context.WithTimeout(ctx, time.Duration(timeout)*time.Second)
@@ -249,7 +365,7 @@ func RemoveVolume(ctx context.Context, volumeID string) error {
log.Printf("Removed volume %s\n", volumeID) log.Printf("Removed volume %s\n", volumeID)
if err := Flux.dockerClient.VolumeRemove(ctx, volumeID, true); err != nil { if err := Flux.dockerClient.VolumeRemove(ctx, volumeID, true); err != nil {
return fmt.Errorf("Failed to remove volume (%s): %v", volumeID, err) return fmt.Errorf("failed to remove volume (%s): %v", volumeID, err)
} }
return nil return nil

View File

@@ -73,6 +73,12 @@ func (dt *DeploymentLock) CompleteDeployment(appName string) {
var deploymentLock = NewDeploymentLock() var deploymentLock = NewDeploymentLock()
type DeploymentEvent struct {
Stage string `json:"stage"`
Message string `json:"message"`
StatusCode int `json:"status,omitempty"`
}
func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) { func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
if Flux.appManager == nil { if Flux.appManager == nil {
panic("App manager is nil") panic("App manager is nil")
@@ -120,59 +126,84 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
return return
} }
eventChannel := make(chan pkg.DeploymentEvent, 10) w.WriteHeader(http.StatusMultiStatus)
eventChannel := make(chan DeploymentEvent, 10)
defer close(eventChannel)
var wg sync.WaitGroup var wg sync.WaitGroup
defer wg.Wait()
wg.Add(1) wg.Add(1)
go func() { go func(w http.ResponseWriter, flusher http.Flusher) {
defer wg.Done() defer wg.Done()
for { for {
select { select {
case <-ctx.Done():
return
case event, ok := <-eventChannel: case event, ok := <-eventChannel:
if !ok { if !ok {
return return
} }
eventJSON, err := json.Marshal(event) ev := struct {
Message string `json:"message"`
}{
Message: event.Message,
}
eventJSON, err := json.Marshal(ev)
if err != nil { if err != nil {
// Write error directly to ResponseWriter
jsonErr := json.NewEncoder(w).Encode(err)
if jsonErr != nil {
fmt.Fprint(w, "data: {\"message\": \"Error encoding error\"}\n\n")
return
}
fmt.Fprintf(w, "data: %s\n\n", err.Error()) fmt.Fprintf(w, "data: %s\n\n", err.Error())
if flusher != nil {
flusher.Flush() flusher.Flush()
}
return return
} }
fmt.Fprintf(w, "event: %s\n", event.Stage)
fmt.Fprintf(w, "data: %s\n\n", eventJSON) fmt.Fprintf(w, "data: %s\n\n", eventJSON)
if flusher != nil {
flusher.Flush() flusher.Flush()
case <-ctx.Done(): }
if event.Stage == "error" || event.Stage == "complete" {
return return
} }
} }
}() }
}(w, flusher)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "start", Stage: "start",
Message: "Uploading code", Message: "Uploading code",
} }
deployRequest.Code, _, err = r.FormFile("code") deployRequest.Code, _, err = r.FormFile("code")
if err != nil { if err != nil {
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: "No code archive found", Message: "No code archive found",
Error: err.Error(), StatusCode: http.StatusBadRequest,
} }
http.Error(w, "No code archive found", http.StatusBadRequest)
return return
} }
defer deployRequest.Code.Close() defer deployRequest.Code.Close()
if projectConfig.Name == "" || projectConfig.Url == "" || projectConfig.Port == 0 { if projectConfig.Name == "" || projectConfig.Url == "" || projectConfig.Port == 0 {
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: "Invalid flux.json, a name, url, and port must be specified", Message: "Invalid flux.json, a name, url, and port must be specified",
Error: "Invalid flux.json, a name, url, and port must be specified", StatusCode: http.StatusBadRequest,
} }
http.Error(w, "Invalid flux.json, a name, url, and port must be specified", http.StatusBadRequest)
return return
} }
@@ -181,27 +212,32 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
projectPath, err := s.UploadAppCode(deployRequest.Code, projectConfig) projectPath, err := s.UploadAppCode(deployRequest.Code, projectConfig)
if err != nil { if err != nil {
log.Printf("Failed to upload code: %v\n", err) log.Printf("Failed to upload code: %v\n", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: "Failed to upload code", Message: fmt.Sprintf("Failed to upload code: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, err.Error(), http.StatusInternalServerError)
return return
} }
// Streams the each line of the pipe into the eventChannel, this closes the pipe when the function exits
streamPipe := func(pipe io.ReadCloser) { streamPipe := func(pipe io.ReadCloser) {
// we need a wait group because otherwise the function *could* exit before the pipe is closed
// and wreck havoc on every future request
wg.Add(1)
defer wg.Done()
scanner := bufio.NewScanner(pipe) scanner := bufio.NewScanner(pipe)
for scanner.Scan() { for scanner.Scan() {
line := scanner.Text() line := scanner.Text()
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "cmd_output", Stage: "cmd_output",
Message: fmt.Sprintf("%s", line), Message: line,
} }
} }
if err := scanner.Err(); err != nil { if err := scanner.Err(); err != nil {
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to read pipe: %s", err), Message: fmt.Sprintf("Failed to read pipe: %s", err),
} }
@@ -210,7 +246,7 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
} }
log.Printf("Preparing project %s...\n", projectConfig.Name) log.Printf("Preparing project %s...\n", projectConfig.Name)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "preparing", Stage: "preparing",
Message: "Preparing project", Message: "Preparing project",
} }
@@ -220,25 +256,22 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
cmdOut, err := prepareCmd.StdoutPipe() cmdOut, err := prepareCmd.StdoutPipe()
if err != nil { if err != nil {
log.Printf("Failed to get stdout pipe: %v\n", err) log.Printf("Failed to get stdout pipe: %v\n", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to get stdout pipe: %s", err), Message: fmt.Sprintf("Failed to get stdout pipe: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, fmt.Sprintf("Failed to get stdout pipe: %s", err), http.StatusInternalServerError)
return return
} }
cmdErr, err := prepareCmd.StderrPipe() cmdErr, err := prepareCmd.StderrPipe()
if err != nil { if err != nil {
log.Printf("Failed to get stderr pipe: %v\n", err) log.Printf("Failed to get stderr pipe: %v\n", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to get stderr pipe: %s", err), Message: fmt.Sprintf("Failed to get stderr pipe: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, fmt.Sprintf("Failed to get stderr pipe: %s", err), http.StatusInternalServerError)
return return
} }
@@ -248,19 +281,16 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
err = prepareCmd.Run() err = prepareCmd.Run()
if err != nil { if err != nil {
log.Printf("Failed to prepare project: %s\n", err) log.Printf("Failed to prepare project: %s\n", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to prepare project: %s", err), Message: fmt.Sprintf("Failed to prepare project: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, fmt.Sprintf("Failed to prepare project: %s", err), http.StatusInternalServerError)
return return
} }
cmdOut.Close()
cmdErr.Close()
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "building", Stage: "building",
Message: "Building project image", Message: "Building project image",
} }
@@ -272,25 +302,23 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
cmdOut, err = buildCmd.StdoutPipe() cmdOut, err = buildCmd.StdoutPipe()
if err != nil { if err != nil {
log.Printf("Failed to get stdout pipe: %v\n", err) log.Printf("Failed to get stdout pipe: %v\n", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to get stdout pipe: %s", err), Message: fmt.Sprintf("Failed to get stdout pipe: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, fmt.Sprintf("Failed to get stdout pipe: %s", err), http.StatusInternalServerError)
return return
} }
cmdErr, err = buildCmd.StderrPipe() cmdErr, err = buildCmd.StderrPipe()
if err != nil { if err != nil {
log.Printf("Failed to get stderr pipe: %v\n", err) log.Printf("Failed to get stderr pipe: %v\n", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to get stderr pipe: %s", err), Message: fmt.Sprintf("Failed to get stderr pipe: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, fmt.Sprintf("Failed to get stderr pipe: %s", err), http.StatusInternalServerError)
return return
} }
@@ -300,21 +328,18 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
err = buildCmd.Run() err = buildCmd.Run()
if err != nil { if err != nil {
log.Printf("Failed to build image: %s\n", err) log.Printf("Failed to build image: %s\n", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to build image: %s", err), Message: fmt.Sprintf("Failed to build image: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, fmt.Sprintf("Failed to build image: %s", err), http.StatusInternalServerError)
return return
} }
cmdOut.Close()
cmdErr.Close()
app := Flux.appManager.GetApp(projectConfig.Name) app := Flux.appManager.GetApp(projectConfig.Name)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "creating", Stage: "creating",
Message: "Creating deployment", Message: "Creating deployment",
} }
@@ -323,26 +348,24 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
app, err = CreateApp(ctx, imageName, projectPath, projectConfig) app, err = CreateApp(ctx, imageName, projectPath, projectConfig)
if err != nil { if err != nil {
log.Printf("Failed to create app: %v", err) log.Printf("Failed to create app: %v", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to create app: %s", err), Message: fmt.Sprintf("Failed to create app: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, err.Error(), http.StatusInternalServerError)
return return
} }
} else { } else {
err = app.Upgrade(ctx, projectConfig, imageName, projectPath) err = app.Upgrade(ctx, projectConfig, imageName, projectPath)
if err != nil { if err != nil {
log.Printf("Failed to upgrade app: %v", err) log.Printf("Failed to upgrade app: %v", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to upgrade app: %s", err), Message: fmt.Sprintf("Failed to upgrade app: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, err.Error(), http.StatusInternalServerError)
return return
} }
} }
@@ -352,27 +375,21 @@ func (s *FluxServer) DeployHandler(w http.ResponseWriter, r *http.Request) {
}) })
if err != nil { if err != nil {
log.Printf("Failed to marshal deploy response: %v\n", err) log.Printf("Failed to marshal deploy response: %v\n", err)
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "error", Stage: "error",
Message: fmt.Sprintf("Failed to marshal deploy response: %s", err), Message: fmt.Sprintf("Failed to marshal deploy response: %s", err),
Error: err.Error(), StatusCode: http.StatusInternalServerError,
} }
http.Error(w, err.Error(), http.StatusInternalServerError)
return return
} }
eventChannel <- pkg.DeploymentEvent{ eventChannel <- DeploymentEvent{
Stage: "complete", Stage: "complete",
Message: fmt.Sprintf("%s", responseJSON), Message: string(responseJSON),
} }
log.Printf("App %s deployed successfully!\n", app.Name) log.Printf("App %s deployed successfully!\n", app.Name)
close(eventChannel)
// make sure all the events are flushed
wg.Wait()
} }
func (s *FluxServer) StartDeployHandler(w http.ResponseWriter, r *http.Request) { func (s *FluxServer) StartDeployHandler(w http.ResponseWriter, r *http.Request) {
@@ -402,14 +419,7 @@ func (s *FluxServer) StartDeployHandler(w http.ResponseWriter, r *http.Request)
} }
if app.Deployment.Proxy == nil { if app.Deployment.Proxy == nil {
var headContainer *Container app.Deployment.Proxy, _ = app.Deployment.NewDeploymentProxy()
for _, container := range app.Deployment.Containers {
if container.Head {
headContainer = &container
}
}
app.Deployment.Proxy, _ = NewDeploymentProxy(&app.Deployment, headContainer)
} }
w.WriteHeader(http.StatusOK) w.WriteHeader(http.StatusOK)

View File

@@ -11,21 +11,19 @@ import (
var ( var (
deploymentInsertStmt *sql.Stmt deploymentInsertStmt *sql.Stmt
containerInsertStmt *sql.Stmt
volumeInsertStmt *sql.Stmt
updateVolumeStmt *sql.Stmt
) )
type Deployment struct { type Deployment struct {
ID int64 `json:"id"` ID int64 `json:"id"`
Containers []Container `json:"containers,omitempty"` Head *Container `json:"head,omitempty"`
Containers []*Container `json:"containers,omitempty"`
Proxy *DeploymentProxy `json:"-"` Proxy *DeploymentProxy `json:"-"`
URL string `json:"url"` URL string `json:"url"`
Port uint16 `json:"port"` Port uint16 `json:"port"`
} }
// Creates a deployment and containers in the database // Creates a deployment and containers in the database
func CreateDeployment(container Container, port uint16, appUrl string, db *sql.DB) (Deployment, error) { func CreateDeployment(port uint16, appUrl string, db *sql.DB) (*Deployment, error) {
var deployment Deployment var deployment Deployment
var err error var err error
@@ -33,115 +31,33 @@ func CreateDeployment(container Container, port uint16, appUrl string, db *sql.D
deploymentInsertStmt, err = db.Prepare("INSERT INTO deployments (url, port) VALUES ($1, $2) RETURNING id, url, port") deploymentInsertStmt, err = db.Prepare("INSERT INTO deployments (url, port) VALUES ($1, $2) RETURNING id, url, port")
if err != nil { if err != nil {
log.Printf("Failed to prepare statement: %v\n", err) log.Printf("Failed to prepare statement: %v\n", err)
return Deployment{}, err return nil, err
} }
} }
err = deploymentInsertStmt.QueryRow(appUrl, port).Scan(&deployment.ID, &deployment.URL, &deployment.Port) err = deploymentInsertStmt.QueryRow(appUrl, port).Scan(&deployment.ID, &deployment.URL, &deployment.Port)
if err != nil { if err != nil {
log.Printf("Failed to insert deployment: %v\n", err) log.Printf("Failed to insert deployment: %v\n", err)
return Deployment{}, err return nil, err
} }
if containerInsertStmt == nil { return &deployment, nil
containerInsertStmt, err = db.Prepare("INSERT INTO containers (container_id, deployment_id, head) VALUES ($1, $2, $3) RETURNING id, container_id, deployment_id, head")
if err != nil {
log.Printf("Failed to prepare statement: %v\n", err)
return Deployment{}, err
}
}
var containerIDString string
err = containerInsertStmt.QueryRow(container.ContainerID[:], deployment.ID, true).Scan(&container.ID, &containerIDString, &container.DeploymentID, &container.Head)
if err != nil {
log.Printf("Failed to get container id: %v\n", err)
return Deployment{}, err
}
copy(container.ContainerID[:], containerIDString)
for i, volume := range container.Volumes {
if volumeInsertStmt == nil {
volumeInsertStmt, err = db.Prepare("INSERT INTO volumes (volume_id, container_id) VALUES (?, ?) RETURNING id, volume_id, container_id")
if err != nil {
log.Printf("Failed to prepare statement: %v\n", err)
return Deployment{}, err
}
}
if err := volumeInsertStmt.QueryRow(volume.VolumeID, container.ID).Scan(&container.Volumes[i].ID, &container.Volumes[i].VolumeID, &container.Volumes[i].ContainerID); err != nil {
log.Printf("Failed to insert volume: %v\n", err)
return Deployment{}, err
}
}
container.Deployment = &deployment
deployment.Containers = append(deployment.Containers, container)
return deployment, nil
} }
func (deployment *Deployment) Upgrade(ctx context.Context, projectConfig pkg.ProjectConfig, imageName string, projectPath string) error { func (deployment *Deployment) Upgrade(ctx context.Context, projectConfig pkg.ProjectConfig, imageName string, projectPath string) error {
existingContainers, err := findExistingDockerContainers(ctx, projectConfig.Name) existingContainers, err := findExistingDockerContainers(ctx, projectConfig.Name)
if err != nil { if err != nil {
return fmt.Errorf("Failed to find existing containers: %v", err) return fmt.Errorf("failed to find existing containers: %v", err)
} }
// Deploy new container before deleting old one container, err := deployment.Head.Upgrade(ctx, imageName, projectPath, projectConfig)
c, err := CreateDockerContainer(ctx, imageName, projectPath, projectConfig)
if err != nil || c == nil {
log.Printf("Failed to create container: %v\n", err)
return err
}
var container Container = *c
if containerInsertStmt == nil {
containerInsertStmt, err = Flux.db.Prepare("INSERT INTO containers (container_id, deployment_id, head) VALUES ($1, $2, $3) RETURNING id, container_id, deployment_id, head")
if err != nil { if err != nil {
log.Printf("Failed to prepare statement: %v\n", err) log.Printf("Failed to upgrade container: %v\n", err)
return err return err
} }
}
var containerIDString string // copy(container.ContainerID[:], containerIDString)
err = containerInsertStmt.QueryRow(container.ContainerID[:], deployment.ID, true).Scan(&container.ID, &containerIDString, &container.DeploymentID, &container.Head) deployment.Head = container
if err != nil {
log.Printf("Failed to get container id: %v\n", err)
return err
}
container.Deployment = deployment
// the space time complexity of this is pretty bad, but it works
for _, existingContainer := range deployment.Containers {
if !existingContainer.Head {
continue
}
for _, volume := range existingContainer.Volumes {
var targetVolume *Volume
for i, volume := range container.Volumes {
if volume.VolumeID == volume.VolumeID {
targetVolume = &container.Volumes[i]
break
}
}
if updateVolumeStmt == nil {
updateVolumeStmt, err = Flux.db.Prepare("UPDATE volumes SET container_id = ? WHERE id = ? RETURNING id, volume_id, container_id")
if err != nil {
log.Printf("Failed to prepare statement: %v\n", err)
return err
}
}
err := updateVolumeStmt.QueryRow(container.ID, volume.ID).Scan(&targetVolume.ID, &targetVolume.VolumeID, &targetVolume.ContainerID)
if err != nil {
log.Printf("Failed to update volume: %v\n", err)
return err
}
}
}
copy(container.ContainerID[:], containerIDString)
deployment.Containers = append(deployment.Containers, container) deployment.Containers = append(deployment.Containers, container)
log.Printf("Starting container %s...\n", container.ContainerID[:12]) log.Printf("Starting container %s...\n", container.ContainerID[:12])
@@ -163,7 +79,7 @@ func (deployment *Deployment) Upgrade(ctx context.Context, projectConfig pkg.Pro
// Create a new proxy that points to the new head, and replace the old one, but ensure that the old one is gracefully shutdown // Create a new proxy that points to the new head, and replace the old one, but ensure that the old one is gracefully shutdown
oldProxy := deployment.Proxy oldProxy := deployment.Proxy
deployment.Proxy, err = NewDeploymentProxy(deployment, &container) deployment.Proxy, err = deployment.NewDeploymentProxy()
if err != nil { if err != nil {
log.Printf("Failed to create deployment proxy: %v\n", err) log.Printf("Failed to create deployment proxy: %v\n", err)
return err return err
@@ -175,16 +91,17 @@ func (deployment *Deployment) Upgrade(ctx context.Context, projectConfig pkg.Pro
return err return err
} }
var containers []Container var containers []*Container
var oldContainers []*Container var oldContainers []*Container
for _, container := range deployment.Containers { for _, container := range deployment.Containers {
if existingContainers[string(container.ContainerID[:])] { if existingContainers[string(container.ContainerID[:])] {
log.Printf("Deleting container from db: %s\n", container.ContainerID[:12]) log.Printf("Deleting container from db: %s\n", container.ContainerID[:12])
_, err = tx.Exec("DELETE FROM containers WHERE id = ?", container.ID) _, err = tx.Exec("DELETE FROM containers WHERE id = ?", container.ID)
oldContainers = append(oldContainers, &container) oldContainers = append(oldContainers, container)
if err != nil { if err != nil {
log.Printf("Failed to delete container: %v\n", err)
tx.Rollback() tx.Rollback()
return err return err
} }
@@ -212,9 +129,6 @@ func (deployment *Deployment) Upgrade(ctx context.Context, projectConfig pkg.Pro
} }
deployment.Containers = containers deployment.Containers = containers
Flux.proxy.AddDeployment(deployment)
return nil return nil
} }
@@ -245,6 +159,11 @@ func (d *Deployment) Start(ctx context.Context) error {
} }
} }
if d.Proxy == nil {
d.Proxy, _ = d.NewDeploymentProxy()
Flux.proxy.AddDeployment(d)
}
return nil return nil
} }
@@ -257,19 +176,20 @@ func (d *Deployment) Stop(ctx context.Context) error {
} }
} }
Flux.proxy.RemoveDeployment(d)
d.Proxy = nil
return nil return nil
} }
func (d *Deployment) Status(ctx context.Context) (string, error) { func (d *Deployment) Status(ctx context.Context) (string, error) {
var status string var status string
if d == nil { if d == nil {
fmt.Printf("Deployment is nil\n") return "", fmt.Errorf("deployment is nil")
return "stopped", nil
} }
if d.Containers == nil { if d.Containers == nil {
fmt.Printf("Containers are nil\n") return "", fmt.Errorf("containers are nil")
return "stopped", nil
} }
for _, container := range d.Containers { for _, container := range d.Containers {
@@ -281,7 +201,7 @@ func (d *Deployment) Status(ctx context.Context) (string, error) {
// if not all containers are in the same state // if not all containers are in the same state
if status != "" && status != containerStatus { if status != "" && status != containerStatus {
return "", fmt.Errorf("Malformed deployment") return "", fmt.Errorf("malformed deployment")
} }
status = containerStatus status = containerStatus

View File

@@ -16,7 +16,15 @@ type Proxy struct {
deployments sync.Map deployments sync.Map
} }
func (p *Proxy) RemoveDeployment(deployment *Deployment) {
p.deployments.Delete(deployment.URL)
}
func (p *Proxy) AddDeployment(deployment *Deployment) { func (p *Proxy) AddDeployment(deployment *Deployment) {
if deployment.Containers == nil {
panic("containers is nil")
}
log.Printf("Adding deployment %s\n", deployment.URL) log.Printf("Adding deployment %s\n", deployment.URL)
p.deployments.Store(deployment.URL, deployment) p.deployments.Store(deployment.URL, deployment)
} }
@@ -37,24 +45,23 @@ func (p *Proxy) ServeHTTP(w http.ResponseWriter, r *http.Request) {
type DeploymentProxy struct { type DeploymentProxy struct {
deployment *Deployment deployment *Deployment
currentHead *Container
proxy *httputil.ReverseProxy proxy *httputil.ReverseProxy
gracePeriod time.Duration gracePeriod time.Duration
activeRequests int64 activeRequests int64
} }
func NewDeploymentProxy(deployment *Deployment, head *Container) (*DeploymentProxy, error) { func (deployment *Deployment) NewDeploymentProxy() (*DeploymentProxy, error) {
if deployment == nil { if deployment == nil {
return nil, fmt.Errorf("Deployment is nil") return nil, fmt.Errorf("deployment is nil")
} }
containerJSON, err := Flux.dockerClient.ContainerInspect(context.Background(), string(head.ContainerID[:])) containerJSON, err := Flux.dockerClient.ContainerInspect(context.Background(), string(deployment.Head.ContainerID[:]))
if err != nil { if err != nil {
return nil, err return nil, err
} }
if containerJSON.NetworkSettings.IPAddress == "" { if containerJSON.NetworkSettings.IPAddress == "" {
return nil, fmt.Errorf("No IP address found for container %s", head.ContainerID[:12]) return nil, fmt.Errorf("no IP address found for container %s", deployment.Head.ContainerID[:12])
} }
containerUrl, err := url.Parse(fmt.Sprintf("http://%s:%d", containerJSON.NetworkSettings.IPAddress, deployment.Port)) containerUrl, err := url.Parse(fmt.Sprintf("http://%s:%d", containerJSON.NetworkSettings.IPAddress, deployment.Port))
@@ -80,7 +87,6 @@ func NewDeploymentProxy(deployment *Deployment, head *Container) (*DeploymentPro
return &DeploymentProxy{ return &DeploymentProxy{
deployment: deployment, deployment: deployment,
currentHead: head,
proxy: proxy, proxy: proxy,
gracePeriod: time.Second * 30, gracePeriod: time.Second * 30,
activeRequests: 0, activeRequests: 0,
@@ -91,22 +97,18 @@ func (dp *DeploymentProxy) GracefulShutdown(oldContainers []*Container) {
ctx, cancel := context.WithTimeout(context.Background(), dp.gracePeriod) ctx, cancel := context.WithTimeout(context.Background(), dp.gracePeriod)
defer cancel() defer cancel()
// Create a channel to signal when wait group is done done := false
for { for !done {
select { select {
case <-ctx.Done(): case <-ctx.Done():
break done = true
default: default:
if atomic.LoadInt64(&dp.activeRequests) == 0 { if atomic.LoadInt64(&dp.activeRequests) == 0 {
break done = true
} }
time.Sleep(time.Second) time.Sleep(time.Second)
} }
if atomic.LoadInt64(&dp.activeRequests) == 0 || ctx.Err() != nil {
break
}
} }
for _, container := range oldContainers { for _, container := range oldContainers {

View File

@@ -22,6 +22,7 @@ CREATE TABLE IF NOT EXISTS containers (
CREATE TABLE IF NOT EXISTS volumes ( CREATE TABLE IF NOT EXISTS volumes (
id INTEGER PRIMARY KEY AUTOINCREMENT UNIQUE, id INTEGER PRIMARY KEY AUTOINCREMENT UNIQUE,
volume_id TEXT NOT NULL, volume_id TEXT NOT NULL,
mountpoint TEXT NOT NULL,
container_id INTEGER NOT NULL, container_id INTEGER NOT NULL,
FOREIGN KEY(container_id) REFERENCES containers(id) FOREIGN KEY(container_id) REFERENCES containers(id)
); );

View File

@@ -123,12 +123,6 @@ func NewServer() *FluxServer {
Flux.proxy = &Proxy{} Flux.proxy = &Proxy{}
Flux.appManager.Range(func(key, value interface{}) bool {
app := value.(*App)
Flux.proxy.AddDeployment(&app.Deployment)
return true
})
port := os.Getenv("FLUXD_PROXY_PORT") port := os.Getenv("FLUXD_PROXY_PORT")
if port == "" { if port == "" {
port = "7465" port = "7465"