added support for multiple stacks in repos

This commit is contained in:
Felix Ohnesorge 2024-11-16 12:19:21 +01:00
parent b946b11f5f
commit 26bd199c69
7 changed files with 503 additions and 171 deletions

51
.vscode/launch.json vendored Normal file
View file

@ -0,0 +1,51 @@
{
"version": "0.2.0",
"configurations": [
{
"name": "Launch Dev with Debugger",
"type": "node",
"request": "launch",
"runtimeExecutable": "npm",
"runtimeArgs": ["run", "dev"],
"port": 9229,
"env": {
"NODE_ENV": "development"
},
"console": "integratedTerminal",
"sourceMaps": true,
"smartStep": true
},
{
"name": "Launch Backend",
"type": "node",
"request": "launch",
"runtimeExecutable": "ts-node",
"args": ["${workspaceFolder}/backend/dockge-server.ts"],
"preLaunchTask": "tsc: build - tsconfig.json",
"outFiles": ["${workspaceFolder}/dist/**/*.js"],
"env": {
"NODE_ENV": "development"
},
"sourceMaps": true,
"smartStep": true
},
{
"name": "Launch Frontend",
"type": "chrome",
"request": "launch",
"url": "http://localhost:3000",
"webRoot": "${workspaceFolder}/frontend",
"preLaunchTask": "npm: start"
},
{
"name": "Attach to Backend",
"type": "node",
"request": "attach",
"port": 9229,
"restart": true,
"protocol": "inspector",
"sourceMaps": true,
"smartStep": true
}
]
}

5
.vscode/settings.json vendored Normal file
View file

@ -0,0 +1,5 @@
{
"editor.formatOnSave": false,
"editor.formatOnType": false,
"editor.formatOnPaste": false
}

View file

@ -12,7 +12,6 @@ import dayjs, { Dayjs } from "dayjs";
* One AgentManager per Socket connection
*/
export class AgentManager {
protected socket: DockgeSocket;
protected agentSocketList: Record<string, SocketClient> = {};
protected agentLoggedInList: Record<string, boolean> = {};
@ -43,26 +42,32 @@ export class AgentManager {
reconnection: false,
extraHeaders: {
endpoint,
}
},
});
client.on("connect", () => {
client.emit("login", {
client.emit(
"login",
{
username: username,
password: password,
}, (res : LooseObject) => {
},
(res: LooseObject) => {
if (res.ok) {
resolve();
} else {
reject(new Error(res.msg));
}
client.disconnect();
});
}
);
});
client.on("connect_error", (err) => {
if (err.message === "xhr poll error") {
reject(new Error("Unable to connect to the Dockge instance"));
reject(
new Error("Unable to connect to the Dockge instance")
);
} else {
reject(err);
}
@ -91,9 +96,7 @@ export class AgentManager {
* @param url
*/
async remove(url: string) {
let bean = await R.findOne("agent", " url = ? ", [
url,
]);
let bean = await R.findOne("agent", " url = ? ", [url]);
if (bean) {
await R.trash(bean);
@ -116,49 +119,74 @@ export class AgentManager {
});
if (!endpoint) {
log.error("agent-manager", "Invalid endpoint: " + endpoint + " URL: " + url);
log.error(
"agent-manager",
"Invalid endpoint: " + endpoint + " URL: " + url
);
return;
}
if (this.agentSocketList[endpoint]) {
log.debug("agent-manager", "Already connected to the socket server: " + endpoint);
log.debug(
"agent-manager",
"Already connected to the socket server: " + endpoint
);
return;
}
log.info("agent-manager", "Connecting to the socket server: " + endpoint);
log.info(
"agent-manager",
"Connecting to the socket server: " + endpoint
);
let client = io(url, {
extraHeaders: {
endpoint,
}
},
});
client.on("connect", () => {
log.info("agent-manager", "Connected to the socket server: " + endpoint);
log.info(
"agent-manager",
"Connected to the socket server: " + endpoint
);
client.emit("login", {
client.emit(
"login",
{
username: username,
password: password,
}, (res : LooseObject) => {
},
(res: LooseObject) => {
if (res.ok) {
log.info("agent-manager", "Logged in to the socket server: " + endpoint);
log.info(
"agent-manager",
"Logged in to the socket server: " + endpoint
);
this.agentLoggedInList[endpoint] = true;
this.socket.emit("agentStatus", {
endpoint: endpoint,
status: "online",
});
} else {
log.error("agent-manager", "Failed to login to the socket server: " + endpoint);
log.error(
"agent-manager",
"Failed to login to the socket server: " + endpoint
);
this.agentLoggedInList[endpoint] = false;
this.socket.emit("agentStatus", {
endpoint: endpoint,
status: "offline",
});
}
});
}
);
});
client.on("connect_error", (err) => {
log.error("agent-manager", "Error from the socket server: " + endpoint);
log.error(
"agent-manager",
"Error from the socket server: " + endpoint
);
this.socket.emit("agentStatus", {
endpoint: endpoint,
status: "offline",
@ -166,7 +194,10 @@ export class AgentManager {
});
client.on("disconnect", () => {
log.info("agent-manager", "Disconnected from the socket server: " + endpoint);
log.info(
"agent-manager",
"Disconnected from the socket server: " + endpoint
);
this.socket.emit("agentStatus", {
endpoint: endpoint,
status: "offline",
@ -203,14 +234,20 @@ export class AgentManager {
this._firstConnectTime = dayjs();
if (this.socket.endpoint) {
log.info("agent-manager", "This connection is connected as an agent, skip connectAll()");
log.info(
"agent-manager",
"This connection is connected as an agent, skip connectAll()"
);
return;
}
let list: Record<string, Agent> = await Agent.getAgentList();
if (Object.keys(list).length !== 0) {
log.info("agent-manager", "Connecting to all instance socket server(s)...");
log.info(
"agent-manager",
"Connecting to all instance socket server(s)..."
);
}
for (let endpoint in list) {
@ -225,13 +262,22 @@ export class AgentManager {
}
}
async emitToEndpoint(endpoint: string, eventName: string, ...args : unknown[]) {
async emitToEndpoint(
endpoint: string,
eventName: string,
...args: unknown[]
) {
log.debug("agent-manager", "Emitting event to endpoint: " + endpoint);
let client = this.agentSocketList[endpoint];
if (!client) {
log.error("agent-manager", "Socket client not found for endpoint: " + endpoint);
throw new Error("Socket client not found for endpoint: " + endpoint);
log.error(
"agent-manager",
"Socket client not found for endpoint: " + endpoint
);
throw new Error(
"Socket client not found for endpoint: " + endpoint
);
}
if (!client.connected || !this.agentLoggedInList[endpoint]) {
@ -242,18 +288,29 @@ export class AgentManager {
let ok = false;
while (diff < 10) {
if (client.connected && this.agentLoggedInList[endpoint]) {
log.debug("agent-manager", `${endpoint}: Connected & Logged in`);
log.debug(
"agent-manager",
`${endpoint}: Connected & Logged in`
);
ok = true;
break;
}
log.debug("agent-manager", endpoint + ": not ready yet, retrying in 1 second...");
log.debug(
"agent-manager",
endpoint + ": not ready yet, retrying in 1 second..."
);
await sleep(1000);
diff = dayjs().diff(this.firstConnectTime, "second");
}
if (!ok) {
log.error("agent-manager", `${endpoint}: Socket client not connected`);
throw new Error("Socket client not connected for endpoint: " + endpoint);
log.error(
"agent-manager",
`${endpoint}: Socket client not connected`
);
throw new Error(
"Socket client not connected for endpoint: " + endpoint
);
}
}

View file

@ -48,7 +48,7 @@ export class DockgeServer {
io : socketIO.Server;
config : Config;
indexHTML : string = "";
gitUpdateInterval? : NodeJS.Timeout;
gitUpdateInterval : NodeJS.Timeout | undefined;
/**
* List of express routers
@ -665,7 +665,7 @@ export class DockgeServer {
};
await check();
this.gitUpdateInterval = setInterval(check, GIT_UPDATE_CHECKER_INTERVAL_MS);
this.gitUpdateInterval = setInterval(check, GIT_UPDATE_CHECKER_INTERVAL_MS) as NodeJS.Timeout;
}
async getDockerNetworkList() : Promise<string[]> {
@ -702,6 +702,10 @@ export class DockgeServer {
log.info("server", "Shutdown requested");
log.info("server", "Called signal: " + signal);
if (this.gitUpdateInterval) {
clearInterval(this.gitUpdateInterval);
}
// TODO: Close all terminals?
await Database.close();

View file

@ -10,11 +10,14 @@ import {
COMBINED_TERMINAL_ROWS,
CREATED_FILE,
CREATED_STACK,
EXITED, getCombinedTerminalName,
getComposeTerminalName, getContainerExecTerminalName,
EXITED,
getCombinedTerminalName,
getComposeTerminalName,
getContainerExecTerminalName,
PROGRESS_TERMINAL_ROWS,
RUNNING, TERMINAL_ROWS,
UNKNOWN
RUNNING,
TERMINAL_ROWS,
UNKNOWN,
} from "../common/util-common";
import { InteractiveTerminal, Terminal } from "./terminal";
import childProcessAsync from "promisify-child-process";
@ -23,7 +26,6 @@ import { execSync } from "child_process";
import ini from "ini";
export class Stack {
name: string;
protected _status: number = UNKNOWN;
protected _composeYAML?: string;
@ -36,7 +38,13 @@ export class Stack {
protected static managedStackList: Map<string, Stack> = new Map();
constructor(server : DockgeServer, name : string, composeYAML? : string, composeENV? : string, skipFSOperations = false) {
constructor(
server: DockgeServer,
name: string,
composeYAML?: string,
composeENV?: string,
skipFSOperations = false
) {
this.name = name;
this.server = server;
this._composeYAML = composeYAML;
@ -54,7 +62,6 @@ export class Stack {
}
async toJSON(endpoint: string): Promise<object> {
// Since we have multiple agents now, embed primary hostname in the stack object too.
let primaryHostname = await Settings.get("primaryHostname");
if (!primaryHostname) {
@ -63,7 +70,7 @@ export class Stack {
} else {
// Use the endpoint as the primary hostname
try {
primaryHostname = (new URL("https://" + endpoint).hostname);
primaryHostname = new URL("https://" + endpoint).hostname;
} catch (e) {
// Just in case if the endpoint is in a incorrect format
primaryHostname = "localhost";
@ -99,10 +106,14 @@ export class Stack {
* Get the status of the stack from `docker compose ps --format json`
*/
async ps(): Promise<object> {
let res = await childProcessAsync.spawn("docker", [ "compose", "ps", "--format", "json" ], {
let res = await childProcessAsync.spawn(
"docker",
["compose", "ps", "--format", "json"],
{
cwd: this.path,
encoding: "utf-8",
});
}
);
if (!res.stdout) {
return {};
}
@ -114,13 +125,22 @@ export class Stack {
}
get isGitRepo(): boolean {
return fs.existsSync(path.join(this.path, ".git")) && fs.statSync(path.join(this.path, ".git")).isDirectory();
try {
execSync("git rev-parse --is-inside-work-tree", { cwd: this.path });
return true;
} catch (error) {
return false;
}
}
get gitUrl() : string {
if (this.isGitRepo) {
const gitConfig = ini.parse(fs.readFileSync(path.join(this.path, ".git", "config"), "utf-8"));
return gitConfig["remote \"origin\""]?.url;
try {
let stdout = execSync("git config --get remote.origin.url", { cwd: this.path });
return stdout.toString().trim();
} catch (error) {
return "";
}
}
return "";
}
@ -140,9 +160,9 @@ export class Stack {
get webhook() : string {
//TODO: refine this.
if (this.server.config.hostname) {
return `http://${this.server.config.hostname}:${this.server.config.port}/webhook/update/${this.name}`;
return `http://${this.server.config.hostname}:${this.server.config.port}/webhook/update/${encodeURIComponent(this.name)}`;
} else {
return `http://localhost:${this.server.config.port}/webhook/update/${this.name}`;
return `http://localhost:${this.server.config.port}/webhook/update/${encodeURIComponent(this.name)}`;
}
}
@ -153,7 +173,9 @@ export class Stack {
validate() {
// Check name, allows [a-z][0-9] _ - only
if (!this.name.match(/^[a-z0-9_-]+$/)) {
throw new ValidationError("Stack name can only contain [a-z][0-9] _ - only");
throw new ValidationError(
"Stack name can only contain [a-z][0-9] _ - only"
);
}
// Check YAML format
@ -164,7 +186,11 @@ export class Stack {
// Check if the .env is able to pass docker-compose
// Prevent "setenv: The parameter is incorrect"
// It only happens when there is one line and it doesn't contain "="
if (lines.length === 1 && !lines[0].includes("=") && lines[0].length > 0) {
if (
lines.length === 1 &&
!lines[0].includes("=") &&
lines[0].length > 0
) {
throw new ValidationError("Invalid .env format");
}
}
@ -172,7 +198,10 @@ export class Stack {
get composeYAML(): string {
if (this._composeYAML === undefined) {
try {
this._composeYAML = fs.readFileSync(path.join(this.path, this._composeFileName), "utf-8");
this._composeYAML = fs.readFileSync(
path.join(this.path, this._composeFileName),
"utf-8"
);
} catch (e) {
this._composeYAML = "";
}
@ -183,7 +212,10 @@ export class Stack {
get composeENV(): string {
if (this._composeENV === undefined) {
try {
this._composeENV = fs.readFileSync(path.join(this.path, ".env"), "utf-8");
this._composeENV = fs.readFileSync(
path.join(this.path, ".env"),
"utf-8"
);
} catch (e) {
this._composeENV = "";
}
@ -228,43 +260,64 @@ export class Stack {
// Create the stack folder
await fsAsync.mkdir(dir);
} else {
if (!await fileExists(dir)) {
if (!(await fileExists(dir))) {
throw new ValidationError("Stack not found");
}
}
// Write or overwrite the compose.yaml
await fsAsync.writeFile(path.join(dir, this._composeFileName), this.composeYAML);
await fsAsync.writeFile(
path.join(dir, this._composeFileName),
this.composeYAML
);
const envPath = path.join(dir, ".env");
// Write or overwrite the .env
// If .env is not existing and the composeENV is empty, we don't need to write it
if (await fileExists(envPath) || this.composeENV.trim() !== "") {
if ((await fileExists(envPath)) || this.composeENV.trim() !== "") {
await fsAsync.writeFile(envPath, this.composeENV);
}
}
async deploy(socket: DockgeSocket): Promise<number> {
const terminalName = getComposeTerminalName(socket.endpoint, this.name);
let exitCode = await Terminal.exec(this.server, socket, terminalName, "docker", [ "compose", "up", "-d", "--remove-orphans" ], this.path);
let exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"docker",
["compose", "up", "-d", "--remove-orphans"],
this.path
);
if (exitCode !== 0) {
throw new Error("Failed to deploy, please check the terminal output for more information.");
throw new Error(
"Failed to deploy, please check the terminal output for more information."
);
}
return exitCode;
}
async delete(socket: DockgeSocket): Promise<number> {
const terminalName = getComposeTerminalName(socket.endpoint, this.name);
let exitCode = await Terminal.exec(this.server, socket, terminalName, "docker", [ "compose", "down", "--remove-orphans" ], this.path);
let exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"docker",
["compose", "down", "--remove-orphans"],
this.path
);
if (exitCode !== 0) {
throw new Error("Failed to delete, please check the terminal output for more information.");
throw new Error(
"Failed to delete, please check the terminal output for more information."
);
}
// Remove the stack folder
await fsAsync.rm(this.path, {
recursive: true,
force: true
force: true,
});
return exitCode;
@ -285,15 +338,13 @@ export class Stack {
* Checks if a compose file exists in the specified directory.
* @async
* @static
* @param {string} stacksDir - The directory of the stack.
* @param {string} filename - The name of the directory to check for the compose file.
* @param {string} dir - The directory to search.
* @returns {Promise<boolean>} A promise that resolves to a boolean indicating whether any compose file exists.
*/
static async composeFileExists(stacksDir : string, filename : string) : Promise<boolean> {
let filenamePath = path.join(stacksDir, filename);
static async composeFileExists(dir: string): Promise<boolean> {
// Check if any compose file exists
for (const filename of acceptedComposeFileNames) {
let composeFile = path.join(filenamePath, filename);
let composeFile = path.join(dir, filename);
if (await fileExists(composeFile)) {
return true;
}
@ -301,8 +352,14 @@ export class Stack {
return false;
}
static async getStackList(server : DockgeServer, useCacheForManaged = false) : Promise<Map<string, Stack>> {
static async getStackList(
server: DockgeServer,
useCacheForManaged = false,
depth = 0,
dir = ""
): Promise<Map<string, Stack>> {
let stacksDir = server.stacksDir;
let currentDir = dir ? path.join(stacksDir, dir) : stacksDir;
let stackList: Map<string, Stack>;
// Use cached stack list?
@ -312,25 +369,50 @@ export class Stack {
stackList = new Map<string, Stack>();
// Scan the stacks directory, and get the stack list
let filenameList = await fsAsync.readdir(stacksDir);
let filenameList = await fsAsync.readdir(currentDir);
for (let filename of filenameList) {
try {
// Check if it is a directory
let stat = await fsAsync.stat(path.join(stacksDir, filename));
let stat = await fsAsync.stat(
path.join(currentDir, filename)
);
if (!stat.isDirectory()) {
continue;
}
// If no compose file exists, skip it
if (!await Stack.composeFileExists(stacksDir, filename)) {
if (
!(await Stack.composeFileExists(
path.join(currentDir, filename)
))
) {
if (depth >= 3) {
continue;
} else {
let subStackList = await this.getStackList(
server,
useCacheForManaged,
depth + 1,
path.join(dir, filename)
);
for (let [subFilename, subStack] of subStackList) {
stackList.set(subFilename, subStack);
}
continue;
}
let stack = await this.getStack(server, filename);
}
let stack = await this.getStack(
server,
path.join(dir, filename)
);
stack._status = CREATED_FILE;
stackList.set(filename, stack);
stackList.set(path.join(dir, filename), stack);
} catch (e) {
if (e instanceof Error) {
log.warn("getStackList", `Failed to get stack ${filename}, error: ${e.message}`);
log.warn(
"getStackList",
`Failed to get stack ${filename}, error: ${e.message}`
);
}
}
}
@ -340,9 +422,13 @@ export class Stack {
}
// Get status from docker compose ls
let res = await childProcessAsync.spawn("docker", [ "compose", "ls", "--all", "--format", "json" ], {
let res = await childProcessAsync.spawn(
"docker",
["compose", "ls", "--all", "--format", "json"],
{
encoding: "utf-8",
});
}
);
if (!res.stdout) {
return stackList;
@ -351,7 +437,21 @@ export class Stack {
let composeList = JSON.parse(res.stdout.toString());
for (let composeStack of composeList) {
let stack = stackList.get(composeStack.Name);
let stackName = composeStack.Name;
// Adjust the stack name based on the config file path
// Get the first config file path
let configFile = composeStack.ConfigFiles.split(",")[0];
// Just use the stack name if the config file path is not in the stacks directory
if (configFile.trim().startsWith(server.stacksDir) && acceptedComposeFileNames.some(file => configFile.trim().endsWith(file))) {
const relativePath = path.relative(server.stacksDir, configFile.trim());
const match = relativePath.match(new RegExp("^(.+)/(.+)\\.ya?ml$"));
if (match) {
stackName = match[1];
}
}
let stack = stackList.get(stackName);
// This stack probably is not managed by Dockge, but we still want to show it
if (!stack) {
@ -359,8 +459,8 @@ export class Stack {
if (composeStack.Name === "dockge") {
continue;
}
stack = new Stack(server, composeStack.Name);
stackList.set(composeStack.Name, stack);
stack = new Stack(server, stackName);
stackList.set(stackName, stack);
}
stack._status = this.statusConvert(composeStack.Status);
@ -377,9 +477,13 @@ export class Stack {
static async getStatusList(): Promise<Map<string, number>> {
let statusList = new Map<string, number>();
let res = await childProcessAsync.spawn("docker", [ "compose", "ls", "--all", "--format", "json" ], {
let res = await childProcessAsync.spawn(
"docker",
["compose", "ls", "--all", "--format", "json"],
{
encoding: "utf-8",
});
}
);
if (!res.stdout) {
return statusList;
@ -388,7 +492,10 @@ export class Stack {
let composeList = JSON.parse(res.stdout.toString());
for (let composeStack of composeList) {
statusList.set(composeStack.Name, this.statusConvert(composeStack.Status));
statusList.set(
composeStack.Name,
this.statusConvert(composeStack.Status)
);
}
return statusList;
@ -413,11 +520,18 @@ export class Stack {
}
}
static async getStack(server: DockgeServer, stackName: string, skipFSOperations = false) : Promise<Stack> {
static async getStack(
server: DockgeServer,
stackName: string,
skipFSOperations = false
): Promise<Stack> {
let dir = path.join(server.stacksDir, stackName);
if (!skipFSOperations) {
if (!await fileExists(dir) || !(await fsAsync.stat(dir)).isDirectory()) {
if (
!(await fileExists(dir)) ||
!(await fsAsync.stat(dir)).isDirectory()
) {
// Maybe it is a stack managed by docker compose directly
let stackList = await this.getStackList(server, true);
let stack = stackList.get(stackName);
@ -448,36 +562,72 @@ export class Stack {
async start(socket: DockgeSocket) {
const terminalName = getComposeTerminalName(socket.endpoint, this.name);
let exitCode = await Terminal.exec(this.server, socket, terminalName, "docker", [ "compose", "up", "-d", "--remove-orphans" ], this.path);
let exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"docker",
["compose", "up", "-d", "--remove-orphans"],
this.path
);
if (exitCode !== 0) {
throw new Error("Failed to start, please check the terminal output for more information.");
throw new Error(
"Failed to start, please check the terminal output for more information."
);
}
return exitCode;
}
async stop(socket: DockgeSocket): Promise<number> {
const terminalName = getComposeTerminalName(socket.endpoint, this.name);
let exitCode = await Terminal.exec(this.server, socket, terminalName, "docker", [ "compose", "stop" ], this.path);
let exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"docker",
["compose", "stop"],
this.path
);
if (exitCode !== 0) {
throw new Error("Failed to stop, please check the terminal output for more information.");
throw new Error(
"Failed to stop, please check the terminal output for more information."
);
}
return exitCode;
}
async restart(socket: DockgeSocket): Promise<number> {
const terminalName = getComposeTerminalName(socket.endpoint, this.name);
let exitCode = await Terminal.exec(this.server, socket, terminalName, "docker", [ "compose", "restart" ], this.path);
let exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"docker",
["compose", "restart"],
this.path
);
if (exitCode !== 0) {
throw new Error("Failed to restart, please check the terminal output for more information.");
throw new Error(
"Failed to restart, please check the terminal output for more information."
);
}
return exitCode;
}
async down(socket: DockgeSocket): Promise<number> {
const terminalName = getComposeTerminalName(socket.endpoint, this.name);
let exitCode = await Terminal.exec(this.server, socket, terminalName, "docker", [ "compose", "down" ], this.path);
let exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"docker",
["compose", "down"],
this.path
);
if (exitCode !== 0) {
throw new Error("Failed to down, please check the terminal output for more information.");
throw new Error(
"Failed to down, please check the terminal output for more information."
);
}
return exitCode;
}
@ -485,9 +635,35 @@ export class Stack {
async update(socket: DockgeSocket) {
const terminalName = getComposeTerminalName(socket.endpoint, this.name);
let exitCode = await Terminal.exec(this.server, socket, terminalName, "docker", [ "compose", "pull" ], this.path);
if (this.isGitRepo) {
// TODO: error handling e.g. local changes
let exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"git",
["pull"],
this.path
);
if (exitCode !== 0) {
throw new Error("Failed to pull, please check the terminal output for more information.");
throw new Error(
"Failed to update, please check the terminal output for more information."
);
}
}
let exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"docker",
["compose", "pull"],
this.path
);
if (exitCode !== 0) {
throw new Error(
"Failed to pull, please check the terminal output for more information."
);
}
// If the stack is not running, we don't need to restart it
@ -497,9 +673,18 @@ export class Stack {
return exitCode;
}
exitCode = await Terminal.exec(this.server, socket, terminalName, "docker", [ "compose", "up", "-d", "--remove-orphans" ], this.path);
exitCode = await Terminal.exec(
this.server,
socket,
terminalName,
"docker",
["compose", "up", "-d", "--remove-orphans"],
this.path
);
if (exitCode !== 0) {
throw new Error("Failed to restart, please check the terminal output for more information.");
throw new Error(
"Failed to restart, please check the terminal output for more information."
);
}
return exitCode;
}
@ -553,8 +738,17 @@ export class Stack {
}
async joinCombinedTerminal(socket: DockgeSocket) {
const terminalName = getCombinedTerminalName(socket.endpoint, this.name);
const terminal = Terminal.getOrCreateTerminal(this.server, terminalName, "docker", [ "compose", "logs", "-f", "--tail", "100" ], this.path);
const terminalName = getCombinedTerminalName(
socket.endpoint,
this.name
);
const terminal = Terminal.getOrCreateTerminal(
this.server,
terminalName,
"docker",
["compose", "logs", "-f", "--tail", "100"],
this.path
);
terminal.enableKeepAlive = true;
terminal.rows = COMBINED_TERMINAL_ROWS;
terminal.cols = COMBINED_TERMINAL_COLS;
@ -563,19 +757,38 @@ export class Stack {
}
async leaveCombinedTerminal(socket: DockgeSocket) {
const terminalName = getCombinedTerminalName(socket.endpoint, this.name);
const terminalName = getCombinedTerminalName(
socket.endpoint,
this.name
);
const terminal = Terminal.getTerminal(terminalName);
if (terminal) {
terminal.leave(socket);
}
}
async joinContainerTerminal(socket: DockgeSocket, serviceName: string, shell : string = "sh", index: number = 0) {
const terminalName = getContainerExecTerminalName(socket.endpoint, this.name, serviceName, index);
async joinContainerTerminal(
socket: DockgeSocket,
serviceName: string,
shell: string = "sh",
index: number = 0
) {
const terminalName = getContainerExecTerminalName(
socket.endpoint,
this.name,
serviceName,
index
);
let terminal = Terminal.getTerminal(terminalName);
if (!terminal) {
terminal = new InteractiveTerminal(this.server, terminalName, "docker", [ "compose", "exec", serviceName, shell ], this.path);
terminal = new InteractiveTerminal(
this.server,
terminalName,
"docker",
["compose", "exec", serviceName, shell],
this.path
);
terminal.rows = TERMINAL_ROWS;
log.debug("joinContainerTerminal", "Terminal created");
}
@ -588,10 +801,14 @@ export class Stack {
let statusList = new Map<string, number>();
try {
let res = await childProcessAsync.spawn("docker", [ "compose", "ps", "--format", "json" ], {
let res = await childProcessAsync.spawn(
"docker",
["compose", "ps", "--format", "json"],
{
cwd: this.path,
encoding: "utf-8",
});
}
);
if (!res.stdout) {
return statusList;
@ -607,8 +824,7 @@ export class Stack {
} else {
statusList.set(obj.Service, obj.Health);
}
} catch (e) {
}
} catch (e) {}
}
return statusList;
@ -616,6 +832,5 @@ export class Stack {
log.error("getServiceStatusList", e);
return statusList;
}
}
}

View file

@ -61,9 +61,9 @@ export default {
},
url() {
if (this.stack.endpoint) {
return `/compose/${this.stack.name}/${this.stack.endpoint}`;
return `/compose/${encodeURIComponent(this.stack.name)}/${this.stack.endpoint}`;
} else {
return `/compose/${this.stack.name}`;
return `/compose/${encodeURIComponent(this.stack.name)}`;
}
},
depthMargin() {

View file

@ -473,9 +473,9 @@ export default {
url() {
if (this.stack.endpoint) {
return `/compose/${this.stack.name}/${this.stack.endpoint}`;
return `/compose/${encodeURIComponent(this.stack.name)}/${this.stack.endpoint}`;
} else {
return `/compose/${this.stack.name}`;
return `/compose/${encodeURIComponent(this.stack.name)}`;
}
},
},