mirror of
https://github.com/ershisan99/coolify.git
synced 2025-12-19 12:33:11 +00:00
Compare commits
8 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
bad84289c4 | ||
|
|
166a573392 | ||
|
|
3585e365e7 | ||
|
|
5114ac7721 | ||
|
|
703d941f23 | ||
|
|
c691c52751 | ||
|
|
69f050b864 | ||
|
|
3af1fd4d1b |
@@ -1,3 +1,4 @@
|
|||||||
node_modules
|
node_modules
|
||||||
dist
|
dist
|
||||||
.routify
|
.routify
|
||||||
|
.pnpm-store
|
||||||
1
.github/FUNDING.yml
vendored
Normal file
1
.github/FUNDING.yml
vendored
Normal file
@@ -0,0 +1 @@
|
|||||||
|
ko_fi: andrasbacsai
|
||||||
2
.gitignore
vendored
2
.gitignore
vendored
@@ -8,3 +8,5 @@ dist-ssr
|
|||||||
yarn-error.log
|
yarn-error.log
|
||||||
api/development/console.log
|
api/development/console.log
|
||||||
.pnpm-debug.log
|
.pnpm-debug.log
|
||||||
|
yarn.lock
|
||||||
|
.pnpm-store
|
||||||
@@ -3,7 +3,7 @@
|
|||||||
https://andrasbacsai.com/farewell-netlify-and-heroku-after-3-days-of-coding
|
https://andrasbacsai.com/farewell-netlify-and-heroku-after-3-days-of-coding
|
||||||
|
|
||||||
# Features
|
# Features
|
||||||
- Deploy your Node.js and static sites just by pushing code to git.
|
- Deploy your Node.js, static sites, PHP or any custom application (with custom Dockerfile) just by pushing code to git.
|
||||||
- Hassle-free installation and upgrade process.
|
- Hassle-free installation and upgrade process.
|
||||||
- One-click MongoDB, MySQL, PostgreSQL, CouchDB deployments!
|
- One-click MongoDB, MySQL, PostgreSQL, CouchDB deployments!
|
||||||
|
|
||||||
@@ -36,7 +36,7 @@ A: It defines your application's final form.
|
|||||||
|
|
||||||
# Getting Started
|
# Getting Started
|
||||||
|
|
||||||
Automatically: `sh <(curl -fsSL https://get.coollabs.io/install.sh) coolify`
|
Automatically: `/bin/bash -c "$(curl -fsSL https://get.coollabs.io/coolify/install.sh)"`
|
||||||
|
|
||||||
Manually:
|
Manually:
|
||||||
### Requirements before installation
|
### Requirements before installation
|
||||||
|
|||||||
@@ -12,6 +12,7 @@ module.exports = async function (fastify, opts) {
|
|||||||
server.register(require('./routes/v1/application/deploy'), { prefix: '/application/deploy' })
|
server.register(require('./routes/v1/application/deploy'), { prefix: '/application/deploy' })
|
||||||
server.register(require('./routes/v1/application/deploy/logs'), { prefix: '/application/deploy/logs' })
|
server.register(require('./routes/v1/application/deploy/logs'), { prefix: '/application/deploy/logs' })
|
||||||
server.register(require('./routes/v1/databases'), { prefix: '/databases' })
|
server.register(require('./routes/v1/databases'), { prefix: '/databases' })
|
||||||
|
server.register(require('./routes/v1/server'), { prefix: '/server' })
|
||||||
})
|
})
|
||||||
// Public routes
|
// Public routes
|
||||||
fastify.register(require('./routes/v1/verify'), { prefix: '/verify' })
|
fastify.register(require('./routes/v1/verify'), { prefix: '/verify' })
|
||||||
|
|||||||
19
api/buildPacks/custom/index.js
Normal file
19
api/buildPacks/custom/index.js
Normal file
@@ -0,0 +1,19 @@
|
|||||||
|
const fs = require('fs').promises
|
||||||
|
const { streamEvents, docker } = require('../../libs/docker')
|
||||||
|
|
||||||
|
module.exports = async function (configuration) {
|
||||||
|
try {
|
||||||
|
const path = `${configuration.general.workdir}/${configuration.build.directory ? configuration.build.directory : ''}`
|
||||||
|
if (fs.stat(`${path}/Dockerfile`)) {
|
||||||
|
const stream = await docker.engine.buildImage(
|
||||||
|
{ src: ['.'], context: path },
|
||||||
|
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
||||||
|
)
|
||||||
|
await streamEvents(stream, configuration)
|
||||||
|
} else {
|
||||||
|
throw { error: 'No custom dockerfile found.', type: 'app' }
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
|
}
|
||||||
27
api/buildPacks/helpers.js
Normal file
27
api/buildPacks/helpers.js
Normal file
@@ -0,0 +1,27 @@
|
|||||||
|
const fs = require('fs').promises
|
||||||
|
const { streamEvents, docker } = require('../libs/docker')
|
||||||
|
const buildImageNodeDocker = (configuration) => {
|
||||||
|
return [
|
||||||
|
'FROM node:lts',
|
||||||
|
'WORKDIR /usr/src/app',
|
||||||
|
`COPY ${configuration.build.directory} ./`,
|
||||||
|
configuration.build.command.installation && `RUN ${configuration.build.command.installation}`,
|
||||||
|
`RUN ${configuration.build.command.build}`
|
||||||
|
].join('\n')
|
||||||
|
}
|
||||||
|
async function buildImage (configuration) {
|
||||||
|
try {
|
||||||
|
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, buildImageNodeDocker(configuration))
|
||||||
|
const stream = await docker.engine.buildImage(
|
||||||
|
{ src: ['.'], context: configuration.general.workdir },
|
||||||
|
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
||||||
|
)
|
||||||
|
await streamEvents(stream, configuration)
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = {
|
||||||
|
buildImage
|
||||||
|
}
|
||||||
7
api/buildPacks/index.js
Normal file
7
api/buildPacks/index.js
Normal file
@@ -0,0 +1,7 @@
|
|||||||
|
const static = require('./static')
|
||||||
|
const nodejs = require('./nodejs')
|
||||||
|
const php = require('./php')
|
||||||
|
const custom = require('./custom')
|
||||||
|
const rust = require('./rust')
|
||||||
|
|
||||||
|
module.exports = { static, nodejs, php, custom, rust }
|
||||||
30
api/buildPacks/nodejs/index.js
Normal file
30
api/buildPacks/nodejs/index.js
Normal file
@@ -0,0 +1,30 @@
|
|||||||
|
const fs = require('fs').promises
|
||||||
|
const { buildImage } = require('../helpers')
|
||||||
|
const { streamEvents, docker } = require('../../libs/docker')
|
||||||
|
// `HEALTHCHECK --timeout=10s --start-period=10s --interval=5s CMD curl -I -s -f http://localhost:${configuration.publish.port}${configuration.publish.path} || exit 1`,
|
||||||
|
const publishNodejsDocker = (configuration) => {
|
||||||
|
return [
|
||||||
|
'FROM node:lts',
|
||||||
|
'WORKDIR /usr/src/app',
|
||||||
|
configuration.build.command.build
|
||||||
|
? `COPY --from=${configuration.build.container.name}:${configuration.build.container.tag} /usr/src/app/${configuration.publish.directory} ./`
|
||||||
|
: `COPY ${configuration.build.directory} ./`,
|
||||||
|
configuration.build.command.installation && `RUN ${configuration.build.command.installation}`,
|
||||||
|
`EXPOSE ${configuration.publish.port}`,
|
||||||
|
'CMD [ "yarn", "start" ]'
|
||||||
|
].join('\n')
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = async function (configuration) {
|
||||||
|
try {
|
||||||
|
if (configuration.build.command.build) await buildImage(configuration)
|
||||||
|
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, publishNodejsDocker(configuration))
|
||||||
|
const stream = await docker.engine.buildImage(
|
||||||
|
{ src: ['.'], context: configuration.general.workdir },
|
||||||
|
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
||||||
|
)
|
||||||
|
await streamEvents(stream, configuration)
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
|
}
|
||||||
26
api/buildPacks/php/index.js
Normal file
26
api/buildPacks/php/index.js
Normal file
@@ -0,0 +1,26 @@
|
|||||||
|
const fs = require('fs').promises
|
||||||
|
const { streamEvents, docker } = require('../../libs/docker')
|
||||||
|
// 'HEALTHCHECK --timeout=10s --start-period=10s --interval=5s CMD curl -I -s -f http://localhost/ || exit 1',
|
||||||
|
const publishPHPDocker = (configuration) => {
|
||||||
|
return [
|
||||||
|
'FROM php:apache',
|
||||||
|
'RUN a2enmod rewrite',
|
||||||
|
'WORKDIR /usr/src/app',
|
||||||
|
`COPY .${configuration.build.directory} /var/www/html`,
|
||||||
|
'EXPOSE 80',
|
||||||
|
' CMD ["apache2-foreground"]'
|
||||||
|
].join('\n')
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = async function (configuration) {
|
||||||
|
try {
|
||||||
|
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, publishPHPDocker(configuration))
|
||||||
|
const stream = await docker.engine.buildImage(
|
||||||
|
{ src: ['.'], context: configuration.general.workdir },
|
||||||
|
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
||||||
|
)
|
||||||
|
await streamEvents(stream, configuration)
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
|
}
|
||||||
64
api/buildPacks/rust/index.js
Normal file
64
api/buildPacks/rust/index.js
Normal file
@@ -0,0 +1,64 @@
|
|||||||
|
const fs = require('fs').promises
|
||||||
|
const { streamEvents, docker } = require('../../libs/docker')
|
||||||
|
const { execShellAsync } = require('../../libs/common')
|
||||||
|
const TOML = require('@iarna/toml')
|
||||||
|
|
||||||
|
const publishRustDocker = (configuration, custom) => {
|
||||||
|
return [
|
||||||
|
'FROM rust:latest',
|
||||||
|
'WORKDIR /app',
|
||||||
|
`COPY --from=${configuration.build.container.name}:cache /app/target target`,
|
||||||
|
`COPY --from=${configuration.build.container.name}:cache /usr/local/cargo /usr/local/cargo`,
|
||||||
|
'COPY . .',
|
||||||
|
`RUN cargo build --release --bin ${custom.name}`,
|
||||||
|
'FROM debian:buster-slim',
|
||||||
|
'WORKDIR /app',
|
||||||
|
'RUN apt-get update -y && apt-get install -y --no-install-recommends openssl libcurl4 ca-certificates && apt-get autoremove -y && apt-get clean -y && rm -rf /var/lib/apt/lists/*',
|
||||||
|
'RUN update-ca-certificates',
|
||||||
|
`COPY --from=${configuration.build.container.name}:cache /app/target/release/${custom.name} ${custom.name}`,
|
||||||
|
`EXPOSE ${configuration.publish.port}`,
|
||||||
|
`CMD ["/app/${custom.name}"]`
|
||||||
|
].join('\n')
|
||||||
|
}
|
||||||
|
|
||||||
|
const cacheRustDocker = (configuration, custom) => {
|
||||||
|
return [
|
||||||
|
`FROM rust:latest AS planner-${configuration.build.container.name}`,
|
||||||
|
'WORKDIR /app',
|
||||||
|
'RUN cargo install cargo-chef',
|
||||||
|
'COPY . .',
|
||||||
|
'RUN cargo chef prepare --recipe-path recipe.json',
|
||||||
|
'FROM rust:latest',
|
||||||
|
'WORKDIR /app',
|
||||||
|
'RUN cargo install cargo-chef',
|
||||||
|
`COPY --from=planner-${configuration.build.container.name} /app/recipe.json recipe.json`,
|
||||||
|
'RUN cargo chef cook --release --recipe-path recipe.json'
|
||||||
|
].join('\n')
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = async function (configuration) {
|
||||||
|
try {
|
||||||
|
const cargoToml = await execShellAsync(`cat ${configuration.general.workdir}/Cargo.toml`)
|
||||||
|
const parsedToml = TOML.parse(cargoToml)
|
||||||
|
const custom = {
|
||||||
|
name: parsedToml.package.name
|
||||||
|
}
|
||||||
|
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, cacheRustDocker(configuration, custom))
|
||||||
|
|
||||||
|
let stream = await docker.engine.buildImage(
|
||||||
|
{ src: ['.'], context: configuration.general.workdir },
|
||||||
|
{ t: `${configuration.build.container.name}:cache` }
|
||||||
|
)
|
||||||
|
await streamEvents(stream, configuration)
|
||||||
|
|
||||||
|
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, publishRustDocker(configuration, custom))
|
||||||
|
|
||||||
|
stream = await docker.engine.buildImage(
|
||||||
|
{ src: ['.'], context: configuration.general.workdir },
|
||||||
|
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
||||||
|
)
|
||||||
|
await streamEvents(stream, configuration)
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
|
}
|
||||||
32
api/buildPacks/static/index.js
Normal file
32
api/buildPacks/static/index.js
Normal file
@@ -0,0 +1,32 @@
|
|||||||
|
const fs = require('fs').promises
|
||||||
|
const { buildImage } = require('../helpers')
|
||||||
|
const { streamEvents, docker } = require('../../libs/docker')
|
||||||
|
|
||||||
|
// 'HEALTHCHECK --timeout=10s --start-period=10s --interval=5s CMD curl -I -s -f http://localhost/ || exit 1',
|
||||||
|
const publishStaticDocker = (configuration) => {
|
||||||
|
return [
|
||||||
|
'FROM nginx:stable-alpine',
|
||||||
|
'COPY nginx.conf /etc/nginx/nginx.conf',
|
||||||
|
'WORKDIR /usr/share/nginx/html',
|
||||||
|
configuration.build.command.build
|
||||||
|
? `COPY --from=${configuration.build.container.name}:${configuration.build.container.tag} /usr/src/app/${configuration.publish.directory} ./`
|
||||||
|
: `COPY ${configuration.build.directory} ./`,
|
||||||
|
'EXPOSE 80',
|
||||||
|
'CMD ["nginx", "-g", "daemon off;"]'
|
||||||
|
].join('\n')
|
||||||
|
}
|
||||||
|
|
||||||
|
module.exports = async function (configuration) {
|
||||||
|
try {
|
||||||
|
if (configuration.build.command.build) await buildImage(configuration)
|
||||||
|
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, publishStaticDocker(configuration))
|
||||||
|
|
||||||
|
const stream = await docker.engine.buildImage(
|
||||||
|
{ src: ['.'], context: configuration.general.workdir },
|
||||||
|
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
||||||
|
)
|
||||||
|
await streamEvents(stream, configuration)
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
const packs = require('../../../packs')
|
const packs = require('../../../buildPacks')
|
||||||
const { saveAppLog } = require('../../logging')
|
const { saveAppLog } = require('../../logging')
|
||||||
const Deployment = require('../../../models/Deployment')
|
const Deployment = require('../../../models/Deployment')
|
||||||
|
|
||||||
@@ -26,9 +26,14 @@ module.exports = async function (configuration) {
|
|||||||
throw { error, type: 'app' }
|
throw { error, type: 'app' }
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
|
try {
|
||||||
await Deployment.findOneAndUpdate(
|
await Deployment.findOneAndUpdate(
|
||||||
{ repoId: id, branch, deployId, organization, name, domain },
|
{ repoId: id, branch, deployId, organization, name, domain },
|
||||||
{ repoId: id, branch, deployId, organization, name, domain, progress: 'failed' })
|
{ repoId: id, branch, deployId, organization, name, domain, progress: 'failed' })
|
||||||
|
} catch (error) {
|
||||||
|
// Hmm.
|
||||||
|
}
|
||||||
|
|
||||||
throw { error: 'No buildpack found.', type: 'app' }
|
throw { error: 'No buildpack found.', type: 'app' }
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -2,17 +2,16 @@ const { docker } = require('../../docker')
|
|||||||
const { execShellAsync } = require('../../common')
|
const { execShellAsync } = require('../../common')
|
||||||
const Deployment = require('../../../models/Deployment')
|
const Deployment = require('../../../models/Deployment')
|
||||||
|
|
||||||
async function purgeOldThings () {
|
async function purgeImagesContainers () {
|
||||||
try {
|
try {
|
||||||
// TODO: Tweak this, because it deletes coolify-base, so the upgrade will be slow
|
await execShellAsync('docker container prune -f')
|
||||||
await docker.engine.pruneImages()
|
await execShellAsync('docker image prune -f --filter=label!=coolify-reserve=true')
|
||||||
await docker.engine.pruneContainers()
|
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
throw { error, type: 'server' }
|
throw { error, type: 'server' }
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
async function cleanup (configuration) {
|
async function cleanupStuckedDeploymentsInDB (configuration) {
|
||||||
const { id } = configuration.repository
|
const { id } = configuration.repository
|
||||||
const deployId = configuration.general.deployId
|
const deployId = configuration.general.deployId
|
||||||
try {
|
try {
|
||||||
@@ -39,4 +38,4 @@ async function deleteSameDeployments (configuration) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
module.exports = { cleanup, deleteSameDeployments, purgeOldThings }
|
module.exports = { cleanupStuckedDeploymentsInDB, deleteSameDeployments, purgeImagesContainers }
|
||||||
|
|||||||
@@ -1,7 +1,7 @@
|
|||||||
const { uniqueNamesGenerator, adjectives, colors, animals } = require('unique-names-generator')
|
const { uniqueNamesGenerator, adjectives, colors, animals } = require('unique-names-generator')
|
||||||
const cuid = require('cuid')
|
const cuid = require('cuid')
|
||||||
const crypto = require('crypto')
|
const crypto = require('crypto')
|
||||||
|
const { docker } = require('../docker')
|
||||||
const { execShellAsync } = require('../common')
|
const { execShellAsync } = require('../common')
|
||||||
|
|
||||||
function getUniq () {
|
function getUniq () {
|
||||||
@@ -30,7 +30,8 @@ function setDefaultConfiguration (configuration) {
|
|||||||
rollback_config: {
|
rollback_config: {
|
||||||
parallelism: 1,
|
parallelism: 1,
|
||||||
delay: '10s',
|
delay: '10s',
|
||||||
order: 'start-first'
|
order: 'start-first',
|
||||||
|
failure_action: 'rollback'
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -48,17 +49,20 @@ function setDefaultConfiguration (configuration) {
|
|||||||
configuration.publish.port = 80
|
configuration.publish.port = 80
|
||||||
} else if (configuration.build.pack === 'nodejs') {
|
} else if (configuration.build.pack === 'nodejs') {
|
||||||
configuration.publish.port = 3000
|
configuration.publish.port = 3000
|
||||||
|
} else if (configuration.build.pack === 'rust') {
|
||||||
|
configuration.publish.port = 3000
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
if (configuration.build.pack === 'static') {
|
if (!configuration.build.directory) {
|
||||||
if (!configuration.build.command.installation) configuration.build.command.installation = 'yarn install'
|
configuration.build.directory = '/'
|
||||||
if (!configuration.build.directory) configuration.build.directory = '/'
|
}
|
||||||
|
if (!configuration.publish.directory) {
|
||||||
|
configuration.publish.directory = '/'
|
||||||
}
|
}
|
||||||
|
|
||||||
if (configuration.build.pack === 'nodejs') {
|
if (configuration.build.pack === 'static' || configuration.build.pack === 'nodejs') {
|
||||||
if (!configuration.build.command.installation) configuration.build.command.installation = 'yarn install'
|
if (!configuration.build.command.installation) configuration.build.command.installation = 'yarn install'
|
||||||
if (!configuration.build.directory) configuration.build.directory = '/'
|
|
||||||
}
|
}
|
||||||
|
|
||||||
configuration.build.container.baseSHA = crypto.createHash('sha256').update(JSON.stringify(baseServiceConfiguration)).digest('hex')
|
configuration.build.container.baseSHA = crypto.createHash('sha256').update(JSON.stringify(baseServiceConfiguration)).digest('hex')
|
||||||
@@ -70,8 +74,9 @@ function setDefaultConfiguration (configuration) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
async function updateServiceLabels (configuration, services) {
|
async function updateServiceLabels (configuration) {
|
||||||
// In case of any failure during deployment, still update the current configuration.
|
// In case of any failure during deployment, still update the current configuration.
|
||||||
|
const services = (await docker.engine.listServices()).filter(r => r.Spec.Labels.managedBy === 'coolify' && r.Spec.Labels.type === 'application')
|
||||||
const found = services.find(s => {
|
const found = services.find(s => {
|
||||||
const config = JSON.parse(s.Spec.Labels.configuration)
|
const config = JSON.parse(s.Spec.Labels.configuration)
|
||||||
if (config.repository.id === configuration.repository.id && config.repository.branch === configuration.repository.branch) {
|
if (config.repository.id === configuration.repository.id && config.repository.branch === configuration.repository.branch) {
|
||||||
@@ -83,10 +88,58 @@ async function updateServiceLabels (configuration, services) {
|
|||||||
const { ID } = found
|
const { ID } = found
|
||||||
try {
|
try {
|
||||||
const Labels = { ...JSON.parse(found.Spec.Labels.configuration), ...configuration }
|
const Labels = { ...JSON.parse(found.Spec.Labels.configuration), ...configuration }
|
||||||
execShellAsync(`docker service update --label-add configuration='${JSON.stringify(Labels)}' --label-add com.docker.stack.image='${configuration.build.container.name}:${configuration.build.container.tag}' ${ID}`)
|
await execShellAsync(`docker service update --label-add configuration='${JSON.stringify(Labels)}' --label-add com.docker.stack.image='${configuration.build.container.name}:${configuration.build.container.tag}' ${ID}`)
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.log(error)
|
console.log(error)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
module.exports = { setDefaultConfiguration, updateServiceLabels }
|
|
||||||
|
async function precheckDeployment ({ services, configuration }) {
|
||||||
|
let foundService = false
|
||||||
|
let configChanged = false
|
||||||
|
let imageChanged = false
|
||||||
|
|
||||||
|
let forceUpdate = false
|
||||||
|
|
||||||
|
for (const service of services) {
|
||||||
|
const running = JSON.parse(service.Spec.Labels.configuration)
|
||||||
|
if (running) {
|
||||||
|
if (running.repository.id === configuration.repository.id && running.repository.branch === configuration.repository.branch) {
|
||||||
|
// Base service configuration changed
|
||||||
|
if (!running.build.container.baseSHA || running.build.container.baseSHA !== configuration.build.container.baseSHA) {
|
||||||
|
forceUpdate = true
|
||||||
|
}
|
||||||
|
// If the deployment is in error state, forceUpdate
|
||||||
|
const state = await execShellAsync(`docker stack ps ${running.build.container.name} --format '{{ json . }}'`)
|
||||||
|
const isError = state.split('\n').filter(n => n).map(s => JSON.parse(s)).filter(n => n.DesiredState !== 'Running' && n.Image.split(':')[1] === running.build.container.tag)
|
||||||
|
if (isError.length > 0) forceUpdate = true
|
||||||
|
foundService = true
|
||||||
|
|
||||||
|
const runningWithoutContainer = JSON.parse(JSON.stringify(running))
|
||||||
|
delete runningWithoutContainer.build.container
|
||||||
|
|
||||||
|
const configurationWithoutContainer = JSON.parse(JSON.stringify(configuration))
|
||||||
|
delete configurationWithoutContainer.build.container
|
||||||
|
|
||||||
|
// If only the configuration changed
|
||||||
|
if (JSON.stringify(runningWithoutContainer.build) !== JSON.stringify(configurationWithoutContainer.build) || JSON.stringify(runningWithoutContainer.publish) !== JSON.stringify(configurationWithoutContainer.publish)) configChanged = true
|
||||||
|
// If only the image changed
|
||||||
|
if (running.build.container.tag !== configuration.build.container.tag) imageChanged = true
|
||||||
|
// If build pack changed, forceUpdate the service
|
||||||
|
if (running.build.pack !== configuration.build.pack) forceUpdate = true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (forceUpdate) {
|
||||||
|
imageChanged = false
|
||||||
|
configChanged = false
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
foundService,
|
||||||
|
imageChanged,
|
||||||
|
configChanged,
|
||||||
|
forceUpdate
|
||||||
|
}
|
||||||
|
}
|
||||||
|
module.exports = { setDefaultConfiguration, updateServiceLabels, precheckDeployment }
|
||||||
|
|||||||
@@ -1,8 +1,18 @@
|
|||||||
const fs = require('fs').promises
|
const fs = require('fs').promises
|
||||||
module.exports = async function (configuration) {
|
module.exports = async function (configuration) {
|
||||||
try {
|
try {
|
||||||
// TODO: Do it better.
|
// TODO: Write full .dockerignore for all deployments!!
|
||||||
await fs.writeFile(`${configuration.general.workdir}/.dockerignore`, 'node_modules')
|
if (configuration.build.pack === 'php') {
|
||||||
|
await fs.writeFile(`${configuration.general.workdir}/.htaccess`, `
|
||||||
|
RewriteEngine On
|
||||||
|
RewriteBase /
|
||||||
|
RewriteCond %{REQUEST_FILENAME} !-d
|
||||||
|
RewriteCond %{REQUEST_FILENAME} !-f
|
||||||
|
RewriteRule ^(.+)$ index.php [QSA,L]
|
||||||
|
`)
|
||||||
|
}
|
||||||
|
// await fs.writeFile(`${configuration.general.workdir}/.dockerignore`, 'node_modules')
|
||||||
|
if (configuration.build.pack === 'static') {
|
||||||
await fs.writeFile(
|
await fs.writeFile(
|
||||||
`${configuration.general.workdir}/nginx.conf`,
|
`${configuration.general.workdir}/nginx.conf`,
|
||||||
`user nginx;
|
`user nginx;
|
||||||
@@ -47,6 +57,7 @@ module.exports = async function (configuration) {
|
|||||||
}
|
}
|
||||||
`
|
`
|
||||||
)
|
)
|
||||||
|
}
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
throw { error, type: 'server' }
|
throw { error, type: 'server' }
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -5,7 +5,7 @@ const { docker } = require('../../docker')
|
|||||||
const { saveAppLog } = require('../../logging')
|
const { saveAppLog } = require('../../logging')
|
||||||
const { deleteSameDeployments } = require('../cleanup')
|
const { deleteSameDeployments } = require('../cleanup')
|
||||||
|
|
||||||
module.exports = async function (configuration, configChanged, imageChanged) {
|
module.exports = async function (configuration, imageChanged) {
|
||||||
try {
|
try {
|
||||||
const generateEnvs = {}
|
const generateEnvs = {}
|
||||||
for (const secret of configuration.publish.secrets) {
|
for (const secret of configuration.publish.secrets) {
|
||||||
@@ -60,10 +60,8 @@ module.exports = async function (configuration, configChanged, imageChanged) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
console.log(stack)
|
|
||||||
await saveAppLog('### Publishing.', configuration)
|
await saveAppLog('### Publishing.', configuration)
|
||||||
await fs.writeFile(`${configuration.general.workdir}/stack.yml`, yaml.dump(stack))
|
await fs.writeFile(`${configuration.general.workdir}/stack.yml`, yaml.dump(stack))
|
||||||
// TODO: Compare stack.yml with the currently running one to upgrade if something changes, like restart_policy
|
|
||||||
if (imageChanged) {
|
if (imageChanged) {
|
||||||
// console.log('image changed')
|
// console.log('image changed')
|
||||||
await execShellAsync(`docker service update --image ${configuration.build.container.name}:${configuration.build.container.tag} ${configuration.build.container.name}_${configuration.build.container.name}`)
|
await execShellAsync(`docker service update --image ${configuration.build.container.name}:${configuration.build.container.tag} ${configuration.build.container.name}_${configuration.build.container.name}`)
|
||||||
|
|||||||
@@ -8,10 +8,10 @@ const copyFiles = require('./deploy/copyFiles')
|
|||||||
const buildContainer = require('./build/container')
|
const buildContainer = require('./build/container')
|
||||||
const deploy = require('./deploy/deploy')
|
const deploy = require('./deploy/deploy')
|
||||||
const Deployment = require('../../models/Deployment')
|
const Deployment = require('../../models/Deployment')
|
||||||
const { cleanup, purgeOldThings } = require('./cleanup')
|
const { cleanupStuckedDeploymentsInDB, purgeImagesContainers } = require('./cleanup')
|
||||||
const { updateServiceLabels } = require('./configuration')
|
const { updateServiceLabels } = require('./configuration')
|
||||||
|
|
||||||
async function queueAndBuild (configuration, services, configChanged, imageChanged) {
|
async function queueAndBuild (configuration, imageChanged) {
|
||||||
const { id, organization, name, branch } = configuration.repository
|
const { id, organization, name, branch } = configuration.repository
|
||||||
const { domain } = configuration.publish
|
const { domain } = configuration.publish
|
||||||
const { deployId, nickname, workdir } = configuration.general
|
const { deployId, nickname, workdir } = configuration.general
|
||||||
@@ -22,15 +22,15 @@ async function queueAndBuild (configuration, services, configChanged, imageChang
|
|||||||
await saveAppLog(`${dayjs().format('YYYY-MM-DD HH:mm:ss.SSS')} Queued.`, configuration)
|
await saveAppLog(`${dayjs().format('YYYY-MM-DD HH:mm:ss.SSS')} Queued.`, configuration)
|
||||||
await copyFiles(configuration)
|
await copyFiles(configuration)
|
||||||
await buildContainer(configuration)
|
await buildContainer(configuration)
|
||||||
await deploy(configuration, configChanged, imageChanged)
|
await deploy(configuration, imageChanged)
|
||||||
await Deployment.findOneAndUpdate(
|
await Deployment.findOneAndUpdate(
|
||||||
{ repoId: id, branch, deployId, organization, name, domain },
|
{ repoId: id, branch, deployId, organization, name, domain },
|
||||||
{ repoId: id, branch, deployId, organization, name, domain, progress: 'done' })
|
{ repoId: id, branch, deployId, organization, name, domain, progress: 'done' })
|
||||||
await updateServiceLabels(configuration, services)
|
await updateServiceLabels(configuration)
|
||||||
cleanupTmp(workdir)
|
cleanupTmp(workdir)
|
||||||
await purgeOldThings()
|
await purgeImagesContainers()
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
await cleanup(configuration)
|
await cleanupStuckedDeploymentsInDB(configuration)
|
||||||
cleanupTmp(workdir)
|
cleanupTmp(workdir)
|
||||||
const { type } = error.error
|
const { type } = error.error
|
||||||
if (type === 'app') {
|
if (type === 'app') {
|
||||||
|
|||||||
@@ -15,6 +15,7 @@ function delay (t) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
async function verifyUserId (authorization) {
|
async function verifyUserId (authorization) {
|
||||||
|
try {
|
||||||
const token = authorization.split(' ')[1]
|
const token = authorization.split(' ')[1]
|
||||||
const verify = jsonwebtoken.verify(token, process.env.JWT_SIGN_KEY)
|
const verify = jsonwebtoken.verify(token, process.env.JWT_SIGN_KEY)
|
||||||
const found = await User.findOne({ uid: verify.jti })
|
const found = await User.findOne({ uid: verify.jti })
|
||||||
@@ -23,6 +24,9 @@ async function verifyUserId (authorization) {
|
|||||||
} else {
|
} else {
|
||||||
return false
|
return false
|
||||||
}
|
}
|
||||||
|
} catch (error) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
}
|
}
|
||||||
function execShellAsync (cmd, opts = {}) {
|
function execShellAsync (cmd, opts = {}) {
|
||||||
try {
|
try {
|
||||||
|
|||||||
@@ -40,6 +40,7 @@ async function saveAppLog (event, configuration, isError) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
async function saveServerLog ({ event, configuration, type }) {
|
async function saveServerLog ({ event, configuration, type }) {
|
||||||
|
try {
|
||||||
if (configuration) {
|
if (configuration) {
|
||||||
const deployId = configuration.general.deployId
|
const deployId = configuration.general.deployId
|
||||||
const repoId = configuration.repository.id
|
const repoId = configuration.repository.id
|
||||||
@@ -47,6 +48,9 @@ async function saveServerLog ({ event, configuration, type }) {
|
|||||||
await new ApplicationLog({ repoId, branch, deployId, event: `[SERVER ERROR 😖]: ${event}` }).save()
|
await new ApplicationLog({ repoId, branch, deployId, event: `[SERVER ERROR 😖]: ${event}` }).save()
|
||||||
}
|
}
|
||||||
await new ServerLog({ event, type }).save()
|
await new ServerLog({ event, type }).save()
|
||||||
|
} catch (error) {
|
||||||
|
// Hmm.
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
module.exports = {
|
module.exports = {
|
||||||
|
|||||||
@@ -1,28 +0,0 @@
|
|||||||
const fs = require('fs').promises
|
|
||||||
const { streamEvents, docker } = require('../libs/docker')
|
|
||||||
|
|
||||||
async function buildImage (configuration) {
|
|
||||||
let dockerFile = `
|
|
||||||
# build
|
|
||||||
FROM node:lts
|
|
||||||
WORKDIR /usr/src/app
|
|
||||||
COPY package*.json .
|
|
||||||
`
|
|
||||||
if (configuration.build.command.installation) {
|
|
||||||
dockerFile += `RUN ${configuration.build.command.installation}
|
|
||||||
`
|
|
||||||
}
|
|
||||||
dockerFile += `COPY . .
|
|
||||||
RUN ${configuration.build.command.build}`
|
|
||||||
|
|
||||||
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, dockerFile)
|
|
||||||
const stream = await docker.engine.buildImage(
|
|
||||||
{ src: ['.'], context: configuration.general.workdir },
|
|
||||||
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
|
||||||
)
|
|
||||||
await streamEvents(stream, configuration)
|
|
||||||
}
|
|
||||||
|
|
||||||
module.exports = {
|
|
||||||
buildImage
|
|
||||||
}
|
|
||||||
@@ -1,5 +0,0 @@
|
|||||||
const static = require('./static')
|
|
||||||
const nodejs = require('./nodejs')
|
|
||||||
const php = require('./php')
|
|
||||||
|
|
||||||
module.exports = { static, nodejs, php }
|
|
||||||
@@ -1,36 +0,0 @@
|
|||||||
const fs = require('fs').promises
|
|
||||||
const { buildImage } = require('../helpers')
|
|
||||||
const { streamEvents, docker } = require('../../libs/docker')
|
|
||||||
|
|
||||||
module.exports = async function (configuration) {
|
|
||||||
if (configuration.build.command.build) await buildImage(configuration)
|
|
||||||
|
|
||||||
let dockerFile = `# production stage
|
|
||||||
FROM node:lts
|
|
||||||
WORKDIR /usr/src/app
|
|
||||||
`
|
|
||||||
if (configuration.build.command.build) {
|
|
||||||
dockerFile += `COPY --from=${configuration.build.container.name}:${configuration.build.container.tag} /usr/src/app/${configuration.publish.directory} /usr/src/app`
|
|
||||||
} else {
|
|
||||||
if (configuration.publish.directory) {
|
|
||||||
dockerFile += `COPY .${configuration.publish.directory} ./`
|
|
||||||
} else {
|
|
||||||
dockerFile += 'COPY ./'
|
|
||||||
}
|
|
||||||
}
|
|
||||||
if (configuration.build.command.installation) {
|
|
||||||
dockerFile += `
|
|
||||||
RUN ${configuration.build.command.installation}
|
|
||||||
`
|
|
||||||
}
|
|
||||||
dockerFile += `
|
|
||||||
EXPOSE ${configuration.publish.port}
|
|
||||||
CMD [ "yarn", "start" ]`
|
|
||||||
|
|
||||||
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, dockerFile)
|
|
||||||
const stream = await docker.engine.buildImage(
|
|
||||||
{ src: ['.'], context: configuration.general.workdir },
|
|
||||||
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
|
||||||
)
|
|
||||||
await streamEvents(stream, configuration)
|
|
||||||
}
|
|
||||||
@@ -1,24 +0,0 @@
|
|||||||
const fs = require('fs').promises
|
|
||||||
const { streamEvents, docker } = require('../../libs/docker')
|
|
||||||
|
|
||||||
module.exports = async function (configuration) {
|
|
||||||
let dockerFile = `# production stage
|
|
||||||
FROM php:apache
|
|
||||||
`
|
|
||||||
if (configuration.publish.directory) {
|
|
||||||
dockerFile += `COPY ${configuration.publish.directory} /var/www/html`
|
|
||||||
} else {
|
|
||||||
dockerFile += 'COPY . /var/www/html'
|
|
||||||
}
|
|
||||||
|
|
||||||
dockerFile += `
|
|
||||||
EXPOSE 80
|
|
||||||
CMD ["apache2-foreground"]`
|
|
||||||
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, dockerFile)
|
|
||||||
|
|
||||||
const stream = await docker.engine.buildImage(
|
|
||||||
{ src: ['.'], context: configuration.general.workdir },
|
|
||||||
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
|
||||||
)
|
|
||||||
await streamEvents(stream, configuration)
|
|
||||||
}
|
|
||||||
@@ -1,32 +0,0 @@
|
|||||||
const fs = require('fs').promises
|
|
||||||
const { buildImage } = require('../helpers')
|
|
||||||
const { streamEvents, docker } = require('../../libs/docker')
|
|
||||||
|
|
||||||
module.exports = async function (configuration) {
|
|
||||||
if (configuration.build.command.build) await buildImage(configuration)
|
|
||||||
|
|
||||||
let dockerFile = `# production stage
|
|
||||||
FROM nginx:stable-alpine
|
|
||||||
COPY nginx.conf /etc/nginx/nginx.conf
|
|
||||||
`
|
|
||||||
if (configuration.build.command.build) {
|
|
||||||
dockerFile += `COPY --from=${configuration.build.container.name}:${configuration.build.container.tag} /usr/src/app/${configuration.publish.directory} /usr/share/nginx/html`
|
|
||||||
} else {
|
|
||||||
if (configuration.publish.directory) {
|
|
||||||
dockerFile += `COPY .${configuration.publish.directory} /usr/share/nginx/html`
|
|
||||||
} else {
|
|
||||||
dockerFile += 'COPY . /usr/share/nginx/html'
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
dockerFile += `
|
|
||||||
EXPOSE 80
|
|
||||||
CMD ["nginx", "-g", "daemon off;"]`
|
|
||||||
await fs.writeFile(`${configuration.general.workdir}/Dockerfile`, dockerFile)
|
|
||||||
|
|
||||||
const stream = await docker.engine.buildImage(
|
|
||||||
{ src: ['.'], context: configuration.general.workdir },
|
|
||||||
{ t: `${configuration.build.container.name}:${configuration.build.container.tag}` }
|
|
||||||
)
|
|
||||||
await streamEvents(stream, configuration)
|
|
||||||
}
|
|
||||||
@@ -5,6 +5,7 @@ const { docker } = require('../../../libs/docker')
|
|||||||
|
|
||||||
module.exports = async function (fastify) {
|
module.exports = async function (fastify) {
|
||||||
fastify.post('/', async (request, reply) => {
|
fastify.post('/', async (request, reply) => {
|
||||||
|
try {
|
||||||
if (!await verifyUserId(request.headers.authorization)) {
|
if (!await verifyUserId(request.headers.authorization)) {
|
||||||
reply.code(500).send({ error: 'Invalid request' })
|
reply.code(500).send({ error: 'Invalid request' })
|
||||||
return
|
return
|
||||||
@@ -19,7 +20,8 @@ module.exports = async function (fastify) {
|
|||||||
if (running) {
|
if (running) {
|
||||||
if (
|
if (
|
||||||
running.publish.domain === configuration.publish.domain &&
|
running.publish.domain === configuration.publish.domain &&
|
||||||
running.repository.id !== configuration.repository.id
|
running.repository.id !== configuration.repository.id &&
|
||||||
|
running.publish.path === configuration.publish.path
|
||||||
) {
|
) {
|
||||||
foundDomain = true
|
foundDomain = true
|
||||||
}
|
}
|
||||||
@@ -31,5 +33,8 @@ module.exports = async function (fastify) {
|
|||||||
return
|
return
|
||||||
}
|
}
|
||||||
return { message: 'OK' }
|
return { message: 'OK' }
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,8 +1,8 @@
|
|||||||
|
|
||||||
const { verifyUserId, cleanupTmp, execShellAsync } = require('../../../../libs/common')
|
const { verifyUserId, cleanupTmp } = require('../../../../libs/common')
|
||||||
const Deployment = require('../../../../models/Deployment')
|
const Deployment = require('../../../../models/Deployment')
|
||||||
const { queueAndBuild } = require('../../../../libs/applications')
|
const { queueAndBuild } = require('../../../../libs/applications')
|
||||||
const { setDefaultConfiguration } = require('../../../../libs/applications/configuration')
|
const { setDefaultConfiguration, precheckDeployment } = require('../../../../libs/applications/configuration')
|
||||||
const { docker } = require('../../../../libs/docker')
|
const { docker } = require('../../../../libs/docker')
|
||||||
const cloneRepository = require('../../../../libs/applications/github/cloneRepository')
|
const cloneRepository = require('../../../../libs/applications/github/cloneRepository')
|
||||||
|
|
||||||
@@ -32,73 +32,23 @@ module.exports = async function (fastify) {
|
|||||||
// },
|
// },
|
||||||
// };
|
// };
|
||||||
fastify.post('/', async (request, reply) => {
|
fastify.post('/', async (request, reply) => {
|
||||||
if (!await verifyUserId(request.headers.authorization)) {
|
try {
|
||||||
|
await verifyUserId(request.headers.authorization)
|
||||||
|
} catch (error) {
|
||||||
reply.code(500).send({ error: 'Invalid request' })
|
reply.code(500).send({ error: 'Invalid request' })
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
try {
|
||||||
const configuration = setDefaultConfiguration(request.body)
|
|
||||||
|
|
||||||
const services = (await docker.engine.listServices()).filter(r => r.Spec.Labels.managedBy === 'coolify' && r.Spec.Labels.type === 'application')
|
const services = (await docker.engine.listServices()).filter(r => r.Spec.Labels.managedBy === 'coolify' && r.Spec.Labels.type === 'application')
|
||||||
|
const configuration = setDefaultConfiguration(request.body)
|
||||||
await cloneRepository(configuration)
|
await cloneRepository(configuration)
|
||||||
|
const { foundService, imageChanged, configChanged, forceUpdate } = await precheckDeployment({ services, configuration })
|
||||||
|
|
||||||
let foundService = false
|
if (foundService && !forceUpdate && !imageChanged && !configChanged) {
|
||||||
let foundDomain = false
|
|
||||||
let configChanged = false
|
|
||||||
let imageChanged = false
|
|
||||||
|
|
||||||
let forceUpdate = false
|
|
||||||
|
|
||||||
for (const service of services) {
|
|
||||||
const running = JSON.parse(service.Spec.Labels.configuration)
|
|
||||||
if (running) {
|
|
||||||
if (
|
|
||||||
running.publish.domain === configuration.publish.domain &&
|
|
||||||
running.repository.id !== configuration.repository.id
|
|
||||||
) {
|
|
||||||
foundDomain = true
|
|
||||||
}
|
|
||||||
if (running.repository.id === configuration.repository.id && running.repository.branch === configuration.repository.branch) {
|
|
||||||
// Base service configuration changed
|
|
||||||
if (!running.build.container.baseSHA || running.build.container.baseSHA !== configuration.build.container.baseSHA) {
|
|
||||||
configChanged = true
|
|
||||||
}
|
|
||||||
const state = await execShellAsync(`docker stack ps ${running.build.container.name} --format '{{ json . }}'`)
|
|
||||||
const isError = state.split('\n').filter(n => n).map(s => JSON.parse(s)).filter(n => n.DesiredState !== 'Running')
|
|
||||||
if (isError.length > 0) forceUpdate = true
|
|
||||||
|
|
||||||
foundService = true
|
|
||||||
const runningWithoutContainer = JSON.parse(JSON.stringify(running))
|
|
||||||
delete runningWithoutContainer.build.container
|
|
||||||
|
|
||||||
const configurationWithoutContainer = JSON.parse(JSON.stringify(configuration))
|
|
||||||
delete configurationWithoutContainer.build.container
|
|
||||||
|
|
||||||
// If only the configuration changed
|
|
||||||
if (JSON.stringify(runningWithoutContainer.build) !== JSON.stringify(configurationWithoutContainer.build) || JSON.stringify(runningWithoutContainer.publish) !== JSON.stringify(configurationWithoutContainer.publish)) configChanged = true
|
|
||||||
// If only the image changed
|
|
||||||
if (running.build.container.tag !== configuration.build.container.tag) imageChanged = true
|
|
||||||
// If build pack changed, forceUpdate the service
|
|
||||||
if (running.build.pack !== configuration.build.pack) forceUpdate = true
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
if (foundDomain) {
|
|
||||||
cleanupTmp(configuration.general.workdir)
|
|
||||||
reply.code(500).send({ message: 'Domain already in use.' })
|
|
||||||
return
|
|
||||||
}
|
|
||||||
if (forceUpdate) {
|
|
||||||
imageChanged = false
|
|
||||||
configChanged = false
|
|
||||||
} else {
|
|
||||||
if (foundService && !imageChanged && !configChanged) {
|
|
||||||
cleanupTmp(configuration.general.workdir)
|
cleanupTmp(configuration.general.workdir)
|
||||||
reply.code(500).send({ message: 'Nothing changed, no need to redeploy.' })
|
reply.code(500).send({ message: 'Nothing changed, no need to redeploy.' })
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
||||||
const alreadyQueued = await Deployment.find({
|
const alreadyQueued = await Deployment.find({
|
||||||
repoId: configuration.repository.id,
|
repoId: configuration.repository.id,
|
||||||
@@ -114,8 +64,11 @@ module.exports = async function (fastify) {
|
|||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
queueAndBuild(configuration, services, configChanged, imageChanged)
|
queueAndBuild(configuration, imageChanged)
|
||||||
|
|
||||||
reply.code(201).send({ message: 'Deployment queued.', nickname: configuration.general.nickname, name: configuration.build.container.name })
|
reply.code(201).send({ message: 'Deployment queued.', nickname: configuration.general.nickname, name: configuration.build.container.name })
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -18,6 +18,7 @@ module.exports = async function (fastify) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
fastify.get('/', { schema: getLogSchema }, async (request, reply) => {
|
fastify.get('/', { schema: getLogSchema }, async (request, reply) => {
|
||||||
|
try {
|
||||||
const { repoId, branch, page } = request.query
|
const { repoId, branch, page } = request.query
|
||||||
const onePage = 5
|
const onePage = 5
|
||||||
const show = Number(page) * onePage || 5
|
const show = Number(page) * onePage || 5
|
||||||
@@ -37,6 +38,9 @@ module.exports = async function (fastify) {
|
|||||||
return finalLogs
|
return finalLogs
|
||||||
})
|
})
|
||||||
return finalLogs
|
return finalLogs
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
fastify.get('/:deployId', async (request, reply) => {
|
fastify.get('/:deployId', async (request, reply) => {
|
||||||
|
|||||||
@@ -2,9 +2,13 @@ const { docker } = require('../../../libs/docker')
|
|||||||
|
|
||||||
module.exports = async function (fastify) {
|
module.exports = async function (fastify) {
|
||||||
fastify.get('/', async (request, reply) => {
|
fastify.get('/', async (request, reply) => {
|
||||||
|
try {
|
||||||
const { name } = request.query
|
const { name } = request.query
|
||||||
const service = await docker.engine.getService(`${name}_${name}`)
|
const service = await docker.engine.getService(`${name}_${name}`)
|
||||||
const logs = (await service.logs({ stdout: true, stderr: true, timestamps: true })).toString().split('\n').map(l => l.slice(8)).filter((a) => a)
|
const logs = (await service.logs({ stdout: true, stderr: true, timestamps: true })).toString().split('\n').map(l => l.slice(8)).filter((a) => a)
|
||||||
return { logs }
|
return { logs }
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,60 +1,6 @@
|
|||||||
const { docker } = require('../../libs/docker')
|
const { docker } = require('../../libs/docker')
|
||||||
|
|
||||||
module.exports = async function (fastify) {
|
module.exports = async function (fastify) {
|
||||||
// const getConfig = {
|
|
||||||
// querystring: {
|
|
||||||
// type: 'object',
|
|
||||||
// properties: {
|
|
||||||
// repoId: { type: 'number' },
|
|
||||||
// branch: { type: 'string' }
|
|
||||||
// },
|
|
||||||
// required: ['repoId', 'branch']
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
|
|
||||||
// const saveConfig = {
|
|
||||||
// body: {
|
|
||||||
// type: 'object',
|
|
||||||
// properties: {
|
|
||||||
// build: {
|
|
||||||
// type: 'object',
|
|
||||||
// properties: {
|
|
||||||
// baseDir: { type: 'string' },
|
|
||||||
// installCmd: { type: 'string' },
|
|
||||||
// buildCmd: { type: 'string' }
|
|
||||||
// },
|
|
||||||
// required: ['baseDir', 'installCmd', 'buildCmd']
|
|
||||||
// },
|
|
||||||
// publish: {
|
|
||||||
// type: 'object',
|
|
||||||
// properties: {
|
|
||||||
// publishDir: { type: 'string' },
|
|
||||||
// domain: { type: 'string' },
|
|
||||||
// pathPrefix: { type: 'string' },
|
|
||||||
// port: { type: 'number' }
|
|
||||||
// },
|
|
||||||
// required: ['publishDir', 'domain', 'pathPrefix', 'port']
|
|
||||||
// },
|
|
||||||
// previewDeploy: { type: 'boolean' },
|
|
||||||
// branch: { type: 'string' },
|
|
||||||
// repoId: { type: 'number' },
|
|
||||||
// buildPack: { type: 'string' },
|
|
||||||
// fullName: { type: 'string' },
|
|
||||||
// installationId: { type: 'number' }
|
|
||||||
// },
|
|
||||||
// required: ['build', 'publish', 'previewDeploy', 'branch', 'repoId', 'buildPack', 'fullName', 'installationId']
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
|
|
||||||
// fastify.get("/all", async (request, reply) => {
|
|
||||||
// return await Config.find().select("-_id -__v");
|
|
||||||
// });
|
|
||||||
|
|
||||||
// fastify.get("/", { schema: getConfig }, async (request, reply) => {
|
|
||||||
// const { repoId, branch } = request.query;
|
|
||||||
// return await Config.findOne({ repoId, branch }).select("-_id -__v");
|
|
||||||
// });
|
|
||||||
|
|
||||||
fastify.post('/', async (request, reply) => {
|
fastify.post('/', async (request, reply) => {
|
||||||
const { name, organization, branch } = request.body
|
const { name, organization, branch } = request.body
|
||||||
const services = await docker.engine.listServices()
|
const services = await docker.engine.listServices()
|
||||||
@@ -79,25 +25,4 @@ module.exports = async function (fastify) {
|
|||||||
reply.code(500).send({ message: 'No configuration found.' })
|
reply.code(500).send({ message: 'No configuration found.' })
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
// fastify.delete("/", async (request, reply) => {
|
|
||||||
// const { repoId, branch } = request.body;
|
|
||||||
|
|
||||||
// const deploys = await Deployment.find({ repoId, branch })
|
|
||||||
// const found = deploys.filter(d => d.progress !== 'done' && d.progress !== 'failed')
|
|
||||||
// if (found.length > 0) {
|
|
||||||
// throw new Error('Deployment inprogress, cannot delete now.');
|
|
||||||
// }
|
|
||||||
|
|
||||||
// const config = await Config.findOneAndDelete({ repoId, branch })
|
|
||||||
// for (const deploy of deploys) {
|
|
||||||
// await ApplicationLog.findOneAndRemove({ deployId: deploy.deployId });
|
|
||||||
// }
|
|
||||||
// const secrets = await Secret.find({ repoId, branch });
|
|
||||||
// for (const secret of secrets) {
|
|
||||||
// await Secret.findByIdAndRemove(secret._id);
|
|
||||||
// }
|
|
||||||
// await execShellAsync(`docker stack rm ${config.containerName}`);
|
|
||||||
// return { message: 'Deleted application and related configurations.' };
|
|
||||||
// });
|
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -42,7 +42,7 @@ module.exports = async function (fastify) {
|
|||||||
r.Spec.Labels.configuration = configuration
|
r.Spec.Labels.configuration = configuration
|
||||||
return r
|
return r
|
||||||
})
|
})
|
||||||
applications = [...new Map(applications.map(item => [item.Spec.Labels.configuration.publish.domain, item])).values()]
|
applications = [...new Map(applications.map(item => [item.Spec.Labels.configuration.publish.domain + item.Spec.Labels.configuration.publish.path, item])).values()]
|
||||||
return {
|
return {
|
||||||
serverLogs,
|
serverLogs,
|
||||||
applications: {
|
applications: {
|
||||||
@@ -55,6 +55,8 @@ module.exports = async function (fastify) {
|
|||||||
} catch (error) {
|
} catch (error) {
|
||||||
if (error.code === 'ENOENT' && error.errno === -2) {
|
if (error.code === 'ENOENT' && error.errno === -2) {
|
||||||
throw new Error(`Docker service unavailable at ${error.address}.`)
|
throw new Error(`Docker service unavailable at ${error.address}.`)
|
||||||
|
} else {
|
||||||
|
throw { error, type: 'server' }
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|||||||
@@ -45,6 +45,7 @@ module.exports = async function (fastify) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
fastify.post('/deploy', { schema: postSchema }, async (request, reply) => {
|
fastify.post('/deploy', { schema: postSchema }, async (request, reply) => {
|
||||||
|
try {
|
||||||
let { type, defaultDatabaseName } = request.body
|
let { type, defaultDatabaseName } = request.body
|
||||||
const passwords = generator.generateMultiple(2, {
|
const passwords = generator.generateMultiple(2, {
|
||||||
length: 24,
|
length: 24,
|
||||||
@@ -163,6 +164,9 @@ module.exports = async function (fastify) {
|
|||||||
await execShellAsync(
|
await execShellAsync(
|
||||||
`cat ${configuration.general.workdir}/stack.yml | docker stack deploy -c - ${configuration.general.deployId}`
|
`cat ${configuration.general.workdir}/stack.yml | docker stack deploy -c - ${configuration.general.deployId}`
|
||||||
)
|
)
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
fastify.delete('/:dbName', async (request, reply) => {
|
fastify.delete('/:dbName', async (request, reply) => {
|
||||||
|
|||||||
14
api/routes/v1/server/index.js
Normal file
14
api/routes/v1/server/index.js
Normal file
@@ -0,0 +1,14 @@
|
|||||||
|
const Server = require('../../../models/Logs/Server')
|
||||||
|
module.exports = async function (fastify) {
|
||||||
|
fastify.get('/', async (request, reply) => {
|
||||||
|
try {
|
||||||
|
const serverLogs = await Server.find().select('-_id -__v')
|
||||||
|
// TODO: Should do better
|
||||||
|
return {
|
||||||
|
serverLogs
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
@@ -25,7 +25,7 @@ module.exports = async function (fastify) {
|
|||||||
settings
|
settings
|
||||||
}
|
}
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
throw new Error(error)
|
throw { error, type: 'server' }
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
@@ -38,7 +38,7 @@ module.exports = async function (fastify) {
|
|||||||
).select('-_id -__v')
|
).select('-_id -__v')
|
||||||
reply.code(201).send({ settings })
|
reply.code(201).send({ settings })
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
throw new Error(error)
|
throw { error, type: 'server' }
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -3,10 +3,10 @@ const { saveServerLog } = require('../../../libs/logging')
|
|||||||
|
|
||||||
module.exports = async function (fastify) {
|
module.exports = async function (fastify) {
|
||||||
fastify.get('/', async (request, reply) => {
|
fastify.get('/', async (request, reply) => {
|
||||||
const upgradeP1 = await execShellAsync('bash ./install.sh upgrade-phase-1')
|
const upgradeP1 = await execShellAsync('bash -c "$(curl -fsSL https://get.coollabs.io/coolify/upgrade-p1.sh)"')
|
||||||
await saveServerLog({ event: upgradeP1, type: 'UPGRADE-P-1' })
|
await saveServerLog({ event: upgradeP1, type: 'UPGRADE-P-1' })
|
||||||
reply.code(200).send('I\'m trying, okay?')
|
reply.code(200).send('I\'m trying, okay?')
|
||||||
const upgradeP2 = await execShellAsync('bash ./install.sh upgrade-phase-2')
|
const upgradeP2 = await execShellAsync('docker run --rm -v /var/run/docker.sock:/var/run/docker.sock -u root coolify bash -c "$(curl -fsSL https://get.coollabs.io/coolify/upgrade-p2.sh)"')
|
||||||
await saveServerLog({ event: upgradeP2, type: 'UPGRADE-P-2' })
|
await saveServerLog({ event: upgradeP2, type: 'UPGRADE-P-2' })
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -3,6 +3,7 @@ const jwt = require('jsonwebtoken')
|
|||||||
|
|
||||||
module.exports = async function (fastify) {
|
module.exports = async function (fastify) {
|
||||||
fastify.get('/', async (request, reply) => {
|
fastify.get('/', async (request, reply) => {
|
||||||
|
try {
|
||||||
const { authorization } = request.headers
|
const { authorization } = request.headers
|
||||||
if (!authorization) {
|
if (!authorization) {
|
||||||
reply.code(401).send({})
|
reply.code(401).send({})
|
||||||
@@ -12,5 +13,8 @@ module.exports = async function (fastify) {
|
|||||||
const verify = jwt.verify(token, fastify.config.JWT_SIGN_KEY)
|
const verify = jwt.verify(token, fastify.config.JWT_SIGN_KEY)
|
||||||
const found = await User.findOne({ uid: verify.jti })
|
const found = await User.findOne({ uid: verify.jti })
|
||||||
found ? reply.code(200).send({}) : reply.code(401).send({})
|
found ? reply.code(200).send({}) : reply.code(401).send({})
|
||||||
|
} catch (error) {
|
||||||
|
reply.code(401).send({})
|
||||||
|
}
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,8 +1,8 @@
|
|||||||
const crypto = require('crypto')
|
const crypto = require('crypto')
|
||||||
const { cleanupTmp, execShellAsync } = require('../../../libs/common')
|
const { cleanupTmp } = require('../../../libs/common')
|
||||||
const Deployment = require('../../../models/Deployment')
|
const Deployment = require('../../../models/Deployment')
|
||||||
const { queueAndBuild } = require('../../../libs/applications')
|
const { queueAndBuild } = require('../../../libs/applications')
|
||||||
const { setDefaultConfiguration } = require('../../../libs/applications/configuration')
|
const { setDefaultConfiguration, precheckDeployment } = require('../../../libs/applications/configuration')
|
||||||
const { docker } = require('../../../libs/docker')
|
const { docker } = require('../../../libs/docker')
|
||||||
const cloneRepository = require('../../../libs/applications/github/cloneRepository')
|
const cloneRepository = require('../../../libs/applications/github/cloneRepository')
|
||||||
|
|
||||||
@@ -45,7 +45,7 @@ module.exports = async function (fastify) {
|
|||||||
reply.code(500).send({ error: 'Not a push event.' })
|
reply.code(500).send({ error: 'Not a push event.' })
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
try {
|
||||||
const services = (await docker.engine.listServices()).filter(r => r.Spec.Labels.managedBy === 'coolify' && r.Spec.Labels.type === 'application')
|
const services = (await docker.engine.listServices()).filter(r => r.Spec.Labels.managedBy === 'coolify' && r.Spec.Labels.type === 'application')
|
||||||
|
|
||||||
let configuration = services.find(r => {
|
let configuration = services.find(r => {
|
||||||
@@ -61,66 +61,20 @@ module.exports = async function (fastify) {
|
|||||||
|
|
||||||
return null
|
return null
|
||||||
})
|
})
|
||||||
|
|
||||||
if (!configuration) {
|
if (!configuration) {
|
||||||
reply.code(500).send({ error: 'No configuration found.' })
|
reply.code(500).send({ error: 'No configuration found.' })
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
configuration = setDefaultConfiguration(JSON.parse(configuration.Spec.Labels.configuration))
|
configuration = setDefaultConfiguration(JSON.parse(configuration.Spec.Labels.configuration))
|
||||||
|
|
||||||
await cloneRepository(configuration)
|
await cloneRepository(configuration)
|
||||||
|
const { foundService, imageChanged, configChanged, forceUpdate } = await precheckDeployment({ services, configuration })
|
||||||
|
|
||||||
let foundService = false
|
if (foundService && !forceUpdate && !imageChanged && !configChanged) {
|
||||||
let foundDomain = false
|
|
||||||
let configChanged = false
|
|
||||||
let imageChanged = false
|
|
||||||
|
|
||||||
let forceUpdate = false
|
|
||||||
|
|
||||||
for (const service of services) {
|
|
||||||
const running = JSON.parse(service.Spec.Labels.configuration)
|
|
||||||
if (running) {
|
|
||||||
if (
|
|
||||||
running.publish.domain === configuration.publish.domain &&
|
|
||||||
running.repository.id !== configuration.repository.id &&
|
|
||||||
running.repository.branch !== configuration.repository.branch
|
|
||||||
) {
|
|
||||||
foundDomain = true
|
|
||||||
}
|
|
||||||
if (running.repository.id === configuration.repository.id && running.repository.branch === configuration.repository.branch) {
|
|
||||||
const state = await execShellAsync(`docker stack ps ${running.build.container.name} --format '{{ json . }}'`)
|
|
||||||
const isError = state.split('\n').filter(n => n).map(s => JSON.parse(s)).filter(n => n.DesiredState !== 'Running')
|
|
||||||
if (isError.length > 0) forceUpdate = true
|
|
||||||
foundService = true
|
|
||||||
|
|
||||||
const runningWithoutContainer = JSON.parse(JSON.stringify(running))
|
|
||||||
delete runningWithoutContainer.build.container
|
|
||||||
|
|
||||||
const configurationWithoutContainer = JSON.parse(JSON.stringify(configuration))
|
|
||||||
delete configurationWithoutContainer.build.container
|
|
||||||
|
|
||||||
if (JSON.stringify(runningWithoutContainer.build) !== JSON.stringify(configurationWithoutContainer.build) || JSON.stringify(runningWithoutContainer.publish) !== JSON.stringify(configurationWithoutContainer.publish)) configChanged = true
|
|
||||||
if (running.build.container.tag !== configuration.build.container.tag) imageChanged = true
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
if (foundDomain) {
|
|
||||||
cleanupTmp(configuration.general.workdir)
|
|
||||||
reply.code(500).send({ message: 'Domain already used.' })
|
|
||||||
return
|
|
||||||
}
|
|
||||||
if (forceUpdate) {
|
|
||||||
imageChanged = false
|
|
||||||
configChanged = false
|
|
||||||
} else {
|
|
||||||
if (foundService && !imageChanged && !configChanged) {
|
|
||||||
cleanupTmp(configuration.general.workdir)
|
cleanupTmp(configuration.general.workdir)
|
||||||
reply.code(500).send({ message: 'Nothing changed, no need to redeploy.' })
|
reply.code(500).send({ message: 'Nothing changed, no need to redeploy.' })
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
||||||
const alreadyQueued = await Deployment.find({
|
const alreadyQueued = await Deployment.find({
|
||||||
repoId: configuration.repository.id,
|
repoId: configuration.repository.id,
|
||||||
branch: configuration.repository.branch,
|
branch: configuration.repository.branch,
|
||||||
@@ -135,8 +89,11 @@ module.exports = async function (fastify) {
|
|||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
queueAndBuild(configuration, services, configChanged, imageChanged)
|
queueAndBuild(configuration, imageChanged)
|
||||||
|
|
||||||
reply.code(201).send({ message: 'Deployment queued.' })
|
reply.code(201).send({ message: 'Deployment queued.', nickname: configuration.general.nickname, name: configuration.build.container.name })
|
||||||
|
} catch (error) {
|
||||||
|
throw { error, type: 'server' }
|
||||||
|
}
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -2,6 +2,8 @@ require('dotenv').config()
|
|||||||
const fs = require('fs')
|
const fs = require('fs')
|
||||||
const util = require('util')
|
const util = require('util')
|
||||||
const { saveServerLog } = require('./libs/logging')
|
const { saveServerLog } = require('./libs/logging')
|
||||||
|
const { execShellAsync } = require('./libs/common')
|
||||||
|
const { purgeImagesContainers, cleanupStuckedDeploymentsInDB } = require('./libs/applications/cleanup')
|
||||||
const Deployment = require('./models/Deployment')
|
const Deployment = require('./models/Deployment')
|
||||||
const fastify = require('fastify')({
|
const fastify = require('fastify')({
|
||||||
logger: { level: 'error' }
|
logger: { level: 'error' }
|
||||||
@@ -10,6 +12,10 @@ const mongoose = require('mongoose')
|
|||||||
const path = require('path')
|
const path = require('path')
|
||||||
const { schema } = require('./schema')
|
const { schema } = require('./schema')
|
||||||
|
|
||||||
|
process.on('unhandledRejection', (reason, p) => {
|
||||||
|
console.log(reason)
|
||||||
|
console.log(p)
|
||||||
|
})
|
||||||
fastify.register(require('fastify-env'), {
|
fastify.register(require('fastify-env'), {
|
||||||
schema,
|
schema,
|
||||||
dotenv: true
|
dotenv: true
|
||||||
@@ -31,13 +37,16 @@ if (process.env.NODE_ENV === 'production') {
|
|||||||
|
|
||||||
fastify.register(require('./app'), { prefix: '/api/v1' })
|
fastify.register(require('./app'), { prefix: '/api/v1' })
|
||||||
fastify.setErrorHandler(async (error, request, reply) => {
|
fastify.setErrorHandler(async (error, request, reply) => {
|
||||||
console.log({ error })
|
|
||||||
if (error.statusCode) {
|
if (error.statusCode) {
|
||||||
reply.status(error.statusCode).send({ message: error.message } || { message: 'Something is NOT okay. Are you okay?' })
|
reply.status(error.statusCode).send({ message: error.message } || { message: 'Something is NOT okay. Are you okay?' })
|
||||||
} else {
|
} else {
|
||||||
reply.status(500).send({ message: error.message } || { message: 'Something is NOT okay. Are you okay?' })
|
reply.status(500).send({ message: error.message } || { message: 'Something is NOT okay. Are you okay?' })
|
||||||
}
|
}
|
||||||
|
try {
|
||||||
await saveServerLog({ event: error })
|
await saveServerLog({ event: error })
|
||||||
|
} catch (error) {
|
||||||
|
//
|
||||||
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
if (process.env.NODE_ENV === 'production') {
|
if (process.env.NODE_ENV === 'production') {
|
||||||
@@ -83,8 +92,25 @@ mongoose.connection.once('open', async function () {
|
|||||||
console.log('Coolify API is up and running in development.')
|
console.log('Coolify API is up and running in development.')
|
||||||
}
|
}
|
||||||
// On start cleanup inprogress/queued deployments.
|
// On start cleanup inprogress/queued deployments.
|
||||||
const deployments = await Deployment.find({ progress: { $in: ['queued', 'inprogress'] } })
|
try {
|
||||||
for (const deployment of deployments) {
|
await cleanupStuckedDeploymentsInDB()
|
||||||
await Deployment.findByIdAndUpdate(deployment._id, { $set: { progress: 'failed' } })
|
} catch (error) {
|
||||||
|
// Could not cleanup DB 🤔
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
// Doing because I do not want to prune these images. Prune skip coolify-reserve labeled images.
|
||||||
|
const basicImages = ['nginx:stable-alpine', 'node:lts', 'ubuntu:20.04']
|
||||||
|
for (const image of basicImages) {
|
||||||
|
await execShellAsync(`echo "FROM ${image}" | docker build --label coolify-reserve=true -t ${image} -`)
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.log('Could not pull some basic images from Docker Hub.')
|
||||||
|
console.log(error)
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
await purgeImagesContainers()
|
||||||
|
} catch (error) {
|
||||||
|
console.log('Could not purge containers/images.')
|
||||||
|
console.log(error)
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|||||||
@@ -10,6 +10,7 @@
|
|||||||
<link rel="dns-prefetch" href="https://cdn.coollabs.io/" />
|
<link rel="dns-prefetch" href="https://cdn.coollabs.io/" />
|
||||||
<link rel="preconnect" href="https://cdn.coollabs.io/" crossorigin="" />
|
<link rel="preconnect" href="https://cdn.coollabs.io/" crossorigin="" />
|
||||||
<link rel="stylesheet" href="https://cdn.coollabs.io/fonts/montserrat/montserrat.css" />
|
<link rel="stylesheet" href="https://cdn.coollabs.io/fonts/montserrat/montserrat.css" />
|
||||||
|
<link rel="stylesheet" href="https://cdn.coollabs.io/css/microtip-0.2.2.min.css" />
|
||||||
</head>
|
</head>
|
||||||
|
|
||||||
<body>
|
<body>
|
||||||
|
|||||||
@@ -1,4 +1,6 @@
|
|||||||
#!/bin/bash
|
#!/bin/bash
|
||||||
|
|
||||||
|
preTasks() {
|
||||||
echo '
|
echo '
|
||||||
##############################
|
##############################
|
||||||
#### Pulling Git Updates #####
|
#### Pulling Git Updates #####
|
||||||
@@ -39,9 +41,10 @@ if [ $? -ne 0 ]; then
|
|||||||
##################################'
|
##################################'
|
||||||
exit 1
|
exit 1
|
||||||
fi
|
fi
|
||||||
|
}
|
||||||
case "$1" in
|
case "$1" in
|
||||||
"all")
|
"all")
|
||||||
|
preTasks
|
||||||
echo '
|
echo '
|
||||||
#################################
|
#################################
|
||||||
#### Rebuilding everything. #####
|
#### Rebuilding everything. #####
|
||||||
@@ -49,6 +52,7 @@ case "$1" in
|
|||||||
docker run --rm -v /var/run/docker.sock:/var/run/docker.sock -v /data/coolify:/data/coolify -u root -w /usr/src/app coolify-base node install/install.js --type all
|
docker run --rm -v /var/run/docker.sock:/var/run/docker.sock -v /data/coolify:/data/coolify -u root -w /usr/src/app coolify-base node install/install.js --type all
|
||||||
;;
|
;;
|
||||||
"coolify")
|
"coolify")
|
||||||
|
preTasks
|
||||||
echo '
|
echo '
|
||||||
##############################
|
##############################
|
||||||
#### Rebuilding Coolify. #####
|
#### Rebuilding Coolify. #####
|
||||||
@@ -56,6 +60,7 @@ case "$1" in
|
|||||||
docker run --rm -v /var/run/docker.sock:/var/run/docker.sock -v /data/coolify:/data/coolify -u root -w /usr/src/app coolify-base node install/install.js --type coolify
|
docker run --rm -v /var/run/docker.sock:/var/run/docker.sock -v /data/coolify:/data/coolify -u root -w /usr/src/app coolify-base node install/install.js --type coolify
|
||||||
;;
|
;;
|
||||||
"proxy")
|
"proxy")
|
||||||
|
preTasks
|
||||||
echo '
|
echo '
|
||||||
############################
|
############################
|
||||||
#### Rebuilding Proxy. #####
|
#### Rebuilding Proxy. #####
|
||||||
@@ -63,6 +68,7 @@ case "$1" in
|
|||||||
docker run --rm -v /var/run/docker.sock:/var/run/docker.sock -v /data/coolify:/data/coolify -u root -w /usr/src/app coolify-base node install/install.js --type proxy
|
docker run --rm -v /var/run/docker.sock:/var/run/docker.sock -v /data/coolify:/data/coolify -u root -w /usr/src/app coolify-base node install/install.js --type proxy
|
||||||
;;
|
;;
|
||||||
"upgrade-phase-1")
|
"upgrade-phase-1")
|
||||||
|
preTasks
|
||||||
echo '
|
echo '
|
||||||
################################
|
################################
|
||||||
#### Upgrading Coolify P1. #####
|
#### Upgrading Coolify P1. #####
|
||||||
|
|||||||
@@ -1,5 +1,5 @@
|
|||||||
FROM coolify-base
|
FROM coolify-base
|
||||||
WORKDIR /usr/src/app
|
WORKDIR /usr/src/app
|
||||||
RUN yarn build
|
RUN pnpm build
|
||||||
CMD ["yarn", "start"]
|
CMD ["pnpm", "start"]
|
||||||
EXPOSE 3000
|
EXPOSE 3000
|
||||||
@@ -9,9 +9,10 @@ RUN apt update && apt install -y docker-ce-cli && apt clean all
|
|||||||
FROM node:14 as modules
|
FROM node:14 as modules
|
||||||
COPY --from=binaries /usr/bin/docker /usr/bin/docker
|
COPY --from=binaries /usr/bin/docker /usr/bin/docker
|
||||||
COPY --from=binaries /usr/bin/envsubst /usr/bin/envsubst
|
COPY --from=binaries /usr/bin/envsubst /usr/bin/envsubst
|
||||||
|
RUN curl -L https://pnpm.js.org/pnpm.js | node - add --global pnpm
|
||||||
WORKDIR /usr/src/app
|
WORKDIR /usr/src/app
|
||||||
COPY ./package*.json .
|
COPY ./package*.json .
|
||||||
RUN yarn install
|
RUN pnpm install
|
||||||
|
|
||||||
FROM modules
|
FROM modules
|
||||||
WORKDIR /usr/src/app
|
WORKDIR /usr/src/app
|
||||||
|
|||||||
24
install/Dockerfile-new
Normal file
24
install/Dockerfile-new
Normal file
@@ -0,0 +1,24 @@
|
|||||||
|
FROM ubuntu:20.04 as binaries
|
||||||
|
LABEL coolify-preserve=true
|
||||||
|
RUN apt update && apt install -y curl gnupg2 ca-certificates
|
||||||
|
RUN curl -fsSL https://download.docker.com/linux/ubuntu/gpg | apt-key add -
|
||||||
|
RUN echo 'deb [arch=amd64] https://download.docker.com/linux/ubuntu focal stable' >> /etc/apt/sources.list
|
||||||
|
RUN curl -L https://github.com/a8m/envsubst/releases/download/v1.2.0/envsubst-`uname -s`-`uname -m` -o /usr/bin/envsubst
|
||||||
|
RUN curl -L https://github.com/stedolan/jq/releases/download/jq-1.6/jq-linux64 -o /usr/bin/jq
|
||||||
|
RUN chmod +x /usr/bin/envsubst /usr/bin/jq
|
||||||
|
RUN apt update && apt install -y docker-ce-cli && apt clean all
|
||||||
|
|
||||||
|
FROM node:lts
|
||||||
|
WORKDIR /usr/src/app
|
||||||
|
LABEL coolify-preserve=true
|
||||||
|
COPY --from=binaries /usr/bin/docker /usr/bin/docker
|
||||||
|
COPY --from=binaries /usr/bin/envsubst /usr/bin/envsubst
|
||||||
|
COPY --from=binaries /usr/bin/jq /usr/bin/jq
|
||||||
|
COPY . .
|
||||||
|
RUN curl -f https://get.pnpm.io/v6.js | node - add --global pnpm@6
|
||||||
|
RUN pnpm install
|
||||||
|
RUN pnpm build
|
||||||
|
RUN rm -fr node_modules .pnpm-store
|
||||||
|
RUN pnpm install -P
|
||||||
|
CMD ["pnpm", "start"]
|
||||||
|
EXPOSE 3000
|
||||||
10
install/README.md
Normal file
10
install/README.md
Normal file
@@ -0,0 +1,10 @@
|
|||||||
|
Some of the files are here for backwards compatibility.
|
||||||
|
|
||||||
|
I will do things after 2 months:
|
||||||
|
|
||||||
|
- rm ./install.js and ./update.js
|
||||||
|
- rm ../install.sh
|
||||||
|
- rm ./Dockerfile-base
|
||||||
|
- rm ./obs
|
||||||
|
- rm ./check.js "No need to check env file. During installation, it is checked by the installer. If you change it between to upgrades: 🤷♂️"
|
||||||
|
- Rename Dockerfile-new to Dockerfile
|
||||||
24
install/check.js
Normal file
24
install/check.js
Normal file
@@ -0,0 +1,24 @@
|
|||||||
|
require('dotenv').config()
|
||||||
|
const fastify = require('fastify')()
|
||||||
|
const { schema } = require('../api/schema')
|
||||||
|
|
||||||
|
checkConfig().then(() => {
|
||||||
|
console.log('Config: OK')
|
||||||
|
}).catch((err) => {
|
||||||
|
console.log('Config: NOT OK')
|
||||||
|
console.error(err)
|
||||||
|
process.exit(1)
|
||||||
|
})
|
||||||
|
|
||||||
|
function checkConfig () {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
fastify.register(require('fastify-env'), {
|
||||||
|
schema,
|
||||||
|
dotenv: true
|
||||||
|
})
|
||||||
|
.ready((err) => {
|
||||||
|
if (err) reject(err)
|
||||||
|
resolve()
|
||||||
|
})
|
||||||
|
})
|
||||||
|
}
|
||||||
@@ -22,6 +22,7 @@ services:
|
|||||||
- --providers.docker.swarmMode=true
|
- --providers.docker.swarmMode=true
|
||||||
- --providers.docker.exposedbydefault=false
|
- --providers.docker.exposedbydefault=false
|
||||||
- --providers.docker.network=${DOCKER_NETWORK}
|
- --providers.docker.network=${DOCKER_NETWORK}
|
||||||
|
- --providers.docker.swarmModeRefreshSeconds=1s
|
||||||
- --entrypoints.web.address=:80
|
- --entrypoints.web.address=:80
|
||||||
- --entrypoints.websecure.address=:443
|
- --entrypoints.websecure.address=:443
|
||||||
- --certificatesresolvers.letsencrypt.acme.httpchallenge=true
|
- --certificatesresolvers.letsencrypt.acme.httpchallenge=true
|
||||||
|
|||||||
@@ -13,7 +13,8 @@ program
|
|||||||
|
|
||||||
program.parse(process.argv)
|
program.parse(process.argv)
|
||||||
|
|
||||||
if (program.check) {
|
const options = program.opts()
|
||||||
|
if (options.check) {
|
||||||
checkConfig().then(() => {
|
checkConfig().then(() => {
|
||||||
console.log('Config: OK')
|
console.log('Config: OK')
|
||||||
}).catch((err) => {
|
}).catch((err) => {
|
||||||
@@ -26,17 +27,17 @@ if (program.check) {
|
|||||||
console.error(`Please run as root! Current user: ${user}`)
|
console.error(`Please run as root! Current user: ${user}`)
|
||||||
process.exit(1)
|
process.exit(1)
|
||||||
}
|
}
|
||||||
shell.exec(`docker network create ${process.env.DOCKER_NETWORK} --driver overlay`, { silent: !program.debug })
|
shell.exec(`docker network create ${process.env.DOCKER_NETWORK} --driver overlay`, { silent: !options.debug })
|
||||||
shell.exec('docker build -t coolify -f install/Dockerfile .')
|
shell.exec('docker build -t coolify -f install/Dockerfile .')
|
||||||
if (program.type === 'all') {
|
if (options.type === 'all') {
|
||||||
shell.exec('docker stack rm coollabs-coolify', { silent: !program.debug })
|
shell.exec('docker stack rm coollabs-coolify', { silent: !options.debug })
|
||||||
} else if (program.type === 'coolify') {
|
} else if (options.type === 'coolify') {
|
||||||
shell.exec('docker service rm coollabs-coolify_coolify')
|
shell.exec('docker service rm coollabs-coolify_coolify')
|
||||||
} else if (program.type === 'proxy') {
|
} else if (options.type === 'proxy') {
|
||||||
shell.exec('docker service rm coollabs-coolify_proxy')
|
shell.exec('docker service rm coollabs-coolify_proxy')
|
||||||
}
|
}
|
||||||
if (program.type !== 'upgrade') {
|
if (options.type !== 'upgrade') {
|
||||||
shell.exec('set -a && source .env && set +a && envsubst < install/coolify-template.yml | docker stack deploy -c - coollabs-coolify', { silent: !program.debug, shell: '/bin/bash' })
|
shell.exec('set -a && source .env && set +a && envsubst < install/coolify-template.yml | docker stack deploy -c - coollabs-coolify', { silent: !options.debug, shell: '/bin/bash' })
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
4
install/obs/Dockerfile-base-new
Normal file
4
install/obs/Dockerfile-base-new
Normal file
@@ -0,0 +1,4 @@
|
|||||||
|
FROM coolify-base-nodejs
|
||||||
|
WORKDIR /usr/src/app
|
||||||
|
COPY . .
|
||||||
|
RUN pnpm install
|
||||||
6
install/obs/Dockerfile-base-nodejs
Normal file
6
install/obs/Dockerfile-base-nodejs
Normal file
@@ -0,0 +1,6 @@
|
|||||||
|
FROM node:lts
|
||||||
|
LABEL coolify-preserve=true
|
||||||
|
COPY --from=coolify-binaries /usr/bin/docker /usr/bin/docker
|
||||||
|
COPY --from=coolify-binaries /usr/bin/envsubst /usr/bin/envsubst
|
||||||
|
COPY --from=coolify-binaries /usr/bin/jq /usr/bin/jq
|
||||||
|
RUN curl -f https://get.pnpm.io/v6.js | node - add --global pnpm@6
|
||||||
9
install/obs/Dockerfile-binaries
Normal file
9
install/obs/Dockerfile-binaries
Normal file
@@ -0,0 +1,9 @@
|
|||||||
|
FROM ubuntu:20.04
|
||||||
|
LABEL coolify-preserve=true
|
||||||
|
RUN apt update && apt install -y curl gnupg2 ca-certificates
|
||||||
|
RUN curl -fsSL https://download.docker.com/linux/ubuntu/gpg | apt-key add -
|
||||||
|
RUN echo 'deb [arch=amd64] https://download.docker.com/linux/ubuntu focal stable' >> /etc/apt/sources.list
|
||||||
|
RUN curl -L https://github.com/a8m/envsubst/releases/download/v1.2.0/envsubst-`uname -s`-`uname -m` -o /usr/bin/envsubst
|
||||||
|
RUN curl -L https://github.com/stedolan/jq/releases/download/jq-1.6/jq-linux64 -o /usr/bin/jq
|
||||||
|
RUN chmod +x /usr/bin/envsubst /usr/bin/jq
|
||||||
|
RUN apt update && apt install -y docker-ce-cli && apt clean all
|
||||||
@@ -2,7 +2,6 @@ require('dotenv').config()
|
|||||||
const { program } = require('commander')
|
const { program } = require('commander')
|
||||||
const shell = require('shelljs')
|
const shell = require('shelljs')
|
||||||
const user = shell.exec('whoami', { silent: true }).stdout.replace('\n', '')
|
const user = shell.exec('whoami', { silent: true }).stdout.replace('\n', '')
|
||||||
|
|
||||||
program.version('0.0.1')
|
program.version('0.0.1')
|
||||||
program
|
program
|
||||||
.option('-d, --debug', 'Debug outputs.')
|
.option('-d, --debug', 'Debug outputs.')
|
||||||
@@ -10,13 +9,13 @@ program
|
|||||||
.option('-t, --type <type>', 'Deploy type.')
|
.option('-t, --type <type>', 'Deploy type.')
|
||||||
|
|
||||||
program.parse(process.argv)
|
program.parse(process.argv)
|
||||||
|
const options = program.opts()
|
||||||
if (user !== 'root') {
|
if (user !== 'root') {
|
||||||
console.error(`Please run as root! Current user: ${user}`)
|
console.error(`Please run as root! Current user: ${user}`)
|
||||||
process.exit(1)
|
process.exit(1)
|
||||||
}
|
}
|
||||||
|
|
||||||
if (program.type === 'upgrade') {
|
if (options.type === 'upgrade') {
|
||||||
shell.exec('docker service rm coollabs-coolify_coolify')
|
shell.exec('docker service rm coollabs-coolify_coolify')
|
||||||
shell.exec('set -a && source .env && set +a && envsubst < install/coolify-template.yml | docker stack deploy -c - coollabs-coolify', { silent: !program.debug, shell: '/bin/bash' })
|
shell.exec('set -a && source .env && set +a && envsubst < install/coolify-template.yml | docker stack deploy -c - coollabs-coolify', { silent: !options.debug, shell: '/bin/bash' })
|
||||||
}
|
}
|
||||||
|
|||||||
42
package.json
42
package.json
@@ -1,7 +1,7 @@
|
|||||||
{
|
{
|
||||||
"name": "coolify",
|
"name": "coolify",
|
||||||
"description": "An open-source, hassle-free, self-hostable Heroku & Netlify alternative.",
|
"description": "An open-source, hassle-free, self-hostable Heroku & Netlify alternative.",
|
||||||
"version": "1.0.3",
|
"version": "1.0.6",
|
||||||
"license": "AGPL-3.0",
|
"license": "AGPL-3.0",
|
||||||
"scripts": {
|
"scripts": {
|
||||||
"lint": "standard",
|
"lint": "standard",
|
||||||
@@ -16,44 +16,46 @@
|
|||||||
"build:svite": "svite build"
|
"build:svite": "svite build"
|
||||||
},
|
},
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@roxi/routify": "^2.7.3",
|
"@iarna/toml": "^2.2.5",
|
||||||
"@zerodevx/svelte-toast": "^0.1.4",
|
"@roxi/routify": "^2.15.1",
|
||||||
"axios": "^0.21.0",
|
"@zerodevx/svelte-toast": "^0.2.1",
|
||||||
"commander": "^6.2.1",
|
"axios": "^0.21.1",
|
||||||
|
"commander": "^7.2.0",
|
||||||
"compare-versions": "^3.6.0",
|
"compare-versions": "^3.6.0",
|
||||||
"cuid": "^2.1.8",
|
"cuid": "^2.1.8",
|
||||||
"dayjs": "^1.10.4",
|
"dayjs": "^1.10.4",
|
||||||
"deepmerge": "^4.2.2",
|
"deepmerge": "^4.2.2",
|
||||||
"dockerode": "^3.2.1",
|
"dockerode": "^3.2.1",
|
||||||
"dotenv": "^8.2.0",
|
"dotenv": "^8.2.0",
|
||||||
"fastify": "^3.9.1",
|
"fastify": "^3.14.2",
|
||||||
"fastify-env": "^2.1.0",
|
"fastify-env": "^2.1.0",
|
||||||
"fastify-jwt": "^2.1.3",
|
"fastify-jwt": "^2.4.0",
|
||||||
"fastify-plugin": "^3.0.0",
|
"fastify-plugin": "^3.0.0",
|
||||||
"fastify-static": "^3.3.0",
|
"fastify-static": "^4.0.1",
|
||||||
"generate-password": "^1.6.0",
|
"generate-password": "^1.6.0",
|
||||||
"js-yaml": "^4.0.0",
|
"js-yaml": "^4.0.0",
|
||||||
"jsonwebtoken": "^8.5.1",
|
"jsonwebtoken": "^8.5.1",
|
||||||
"mongoose": "^5.11.4",
|
"mongoose": "^5.12.3",
|
||||||
"shelljs": "^0.8.4",
|
"shelljs": "^0.8.4",
|
||||||
|
"svelte-select": "^3.17.0",
|
||||||
"unique-names-generator": "^4.4.0"
|
"unique-names-generator": "^4.4.0"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"mongodb-memory-server-core": "^6.9.3",
|
"mongodb-memory-server-core": "^6.9.6",
|
||||||
"nodemon": "^2.0.6",
|
"nodemon": "^2.0.7",
|
||||||
"npm-run-all": "^4.1.5",
|
"npm-run-all": "^4.1.5",
|
||||||
"postcss": "^7.0.35",
|
"postcss": "^8.2.9",
|
||||||
"postcss-import": "^12.0.1",
|
"postcss-import": "^14.0.1",
|
||||||
"postcss-load-config": "^3.0.0",
|
"postcss-load-config": "^3.0.1",
|
||||||
"postcss-preset-env": "^6.7.0",
|
"postcss-preset-env": "^6.7.0",
|
||||||
"prettier": "1.19",
|
"prettier": "2.2.1",
|
||||||
"prettier-plugin-svelte": "^2.1.6",
|
"prettier-plugin-svelte": "^2.2.0",
|
||||||
"standard": "^16.0.3",
|
"standard": "^16.0.3",
|
||||||
"svelte": "^3.29.7",
|
"svelte": "^3.37.0",
|
||||||
"svelte-hmr": "^0.12.2",
|
"svelte-hmr": "^0.14.0",
|
||||||
"svelte-preprocess": "^4.6.1",
|
"svelte-preprocess": "^4.7.0",
|
||||||
"svite": "0.8.1",
|
"svite": "0.8.1",
|
||||||
"tailwindcss": "compat"
|
"tailwindcss": "2.1.1"
|
||||||
},
|
},
|
||||||
"keywords": [
|
"keywords": [
|
||||||
"svelte",
|
"svelte",
|
||||||
|
|||||||
5834
pnpm-lock.yaml
generated
5834
pnpm-lock.yaml
generated
File diff suppressed because it is too large
Load Diff
@@ -3,12 +3,15 @@
|
|||||||
import { Router } from "@roxi/routify";
|
import { Router } from "@roxi/routify";
|
||||||
import { routes } from "../.routify/routes";
|
import { routes } from "../.routify/routes";
|
||||||
const options = {
|
const options = {
|
||||||
duration: 2000,
|
duration: 2000
|
||||||
dismissable: false
|
|
||||||
};
|
};
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<style lang="postcss">
|
<style lang="postcss">
|
||||||
|
:global(.main) {
|
||||||
|
width: calc(100% - 4rem);
|
||||||
|
margin-left: 4rem;
|
||||||
|
}
|
||||||
:global(._toastMsg) {
|
:global(._toastMsg) {
|
||||||
@apply text-sm font-bold !important;
|
@apply text-sm font-bold !important;
|
||||||
}
|
}
|
||||||
@@ -57,6 +60,22 @@
|
|||||||
:global(.h-271) {
|
:global(.h-271) {
|
||||||
min-height: 271px !important;
|
min-height: 271px !important;
|
||||||
}
|
}
|
||||||
|
:global(.repository-select-search .listItem .item),
|
||||||
|
:global(.repository-select-search .empty) {
|
||||||
|
@apply text-sm py-3 font-bold bg-warmGray-800 text-white cursor-pointer border-none hover:bg-warmGray-700 !important;
|
||||||
|
}
|
||||||
|
|
||||||
|
:global(.repository-select-search .listContainer) {
|
||||||
|
@apply bg-transparent !important;
|
||||||
|
}
|
||||||
|
|
||||||
|
:global(.repository-select-search .clearSelect) {
|
||||||
|
@apply text-white cursor-pointer !important;
|
||||||
|
}
|
||||||
|
|
||||||
|
:global(.repository-select-search .selectedItem) {
|
||||||
|
@apply text-white relative cursor-pointer font-bold text-sm flex items-center !important;
|
||||||
|
}
|
||||||
</style>
|
</style>
|
||||||
|
|
||||||
<SvelteToast options="{options}" />
|
<SvelteToast options="{options}" />
|
||||||
|
|||||||
@@ -1,29 +1,24 @@
|
|||||||
<script>
|
<script>
|
||||||
import { application } from "@store";
|
import { application } from "@store";
|
||||||
|
import Tooltip from "../../../Tooltip/TooltipInfo.svelte";
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<div class="grid grid-cols-1 max-w-2xl md:mx-auto mx-6 text-center">
|
<div class="grid grid-cols-1 max-w-2xl md:mx-auto mx-6 text-center">
|
||||||
<label for="buildCommand">Build Command</label>
|
<label for="installCommand"
|
||||||
<input
|
>Install Command <Tooltip label="Command to run for installing dependencies. eg: yarn install." />
|
||||||
class="mb-6"
|
</label>
|
||||||
id="buildCommand"
|
|
||||||
bind:value="{$application.build.command.build}"
|
|
||||||
placeholder="eg: yarn build"
|
|
||||||
/>
|
|
||||||
|
|
||||||
<label for="installCommand">Install Command</label>
|
|
||||||
<input
|
<input
|
||||||
class="mb-6"
|
class="mb-6"
|
||||||
id="installCommand"
|
id="installCommand"
|
||||||
bind:value="{$application.build.command.installation}"
|
bind:value="{$application.build.command.installation}"
|
||||||
placeholder="eg: yarn install"
|
placeholder="eg: yarn install"
|
||||||
/>
|
/>
|
||||||
|
<label for="buildCommand">Build Command <Tooltip label="Command to run for building your application. If empty, no build phase initiated in the deploy process." /></label>
|
||||||
<label for="baseDir">Base Directory</label>
|
|
||||||
<input
|
<input
|
||||||
id="baseDir"
|
|
||||||
class="mb-6"
|
class="mb-6"
|
||||||
bind:value="{$application.build.directory}"
|
id="buildCommand"
|
||||||
placeholder="/"
|
bind:value="{$application.build.command.build}"
|
||||||
|
placeholder="eg: yarn build"
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -1,16 +1,47 @@
|
|||||||
<script>
|
<script>
|
||||||
import { application } from "@store";
|
import { application} from "@store";
|
||||||
|
import TooltipInfo from "../../../Tooltip/TooltipInfo.svelte";
|
||||||
|
const showPorts = ['nodejs','custom','rust']
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
<div
|
<div
|
||||||
class="grid grid-cols-1 text-sm max-w-2xl md:mx-auto mx-6 pb-6 auto-cols-max "
|
class="grid grid-cols-1 text-sm max-w-2xl md:mx-auto mx-6 pb-6 auto-cols-max "
|
||||||
>
|
>
|
||||||
<label for="buildPack">Build Pack</label>
|
<label for="buildPack"
|
||||||
|
>Build Pack
|
||||||
|
{#if $application.build.pack === 'custom'}
|
||||||
|
<TooltipInfo
|
||||||
|
label="Your custom Dockerfile will be used from the root directory (or from 'Base Directory' specified below) of your repository. "
|
||||||
|
/>
|
||||||
|
{:else if $application.build.pack === 'static'}
|
||||||
|
<TooltipInfo
|
||||||
|
label="Published as a static site (for build phase see 'Build Step' tab)."
|
||||||
|
/>
|
||||||
|
{:else if $application.build.pack === 'nodejs'}
|
||||||
|
<TooltipInfo
|
||||||
|
label="Published as a Node.js application (for build phase see 'Build Step' tab)."
|
||||||
|
/>
|
||||||
|
{:else if $application.build.pack === 'php'}
|
||||||
|
<TooltipInfo
|
||||||
|
size="large"
|
||||||
|
label="Published as a PHP application."
|
||||||
|
/>
|
||||||
|
{:else if $application.build.pack === 'rust'}
|
||||||
|
<TooltipInfo
|
||||||
|
size="large"
|
||||||
|
label="Published as a Rust application."
|
||||||
|
/>
|
||||||
|
{/if}
|
||||||
|
|
||||||
|
</label
|
||||||
|
>
|
||||||
<select id="buildPack" bind:value="{$application.build.pack}">
|
<select id="buildPack" bind:value="{$application.build.pack}">
|
||||||
<option selected class="font-bold">static</option>
|
<option selected class="font-bold">static</option>
|
||||||
<option class="font-bold">nodejs</option>
|
<option class="font-bold">nodejs</option>
|
||||||
<option class="font-bold">php</option>
|
<option class="font-bold">php</option>
|
||||||
|
<option class="font-bold">custom</option>
|
||||||
|
<option class="font-bold">rust</option>
|
||||||
</select>
|
</select>
|
||||||
</div>
|
</div>
|
||||||
<div
|
<div
|
||||||
@@ -30,7 +61,11 @@
|
|||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
<div class="grid grid-flow-row">
|
<div class="grid grid-flow-row">
|
||||||
<label for="Path">Path</label>
|
<label for="Path"
|
||||||
|
>Path <TooltipInfo
|
||||||
|
label="{`Path to deploy your application on your domain. eg: /api means it will be deployed to -> https://${$application.publish.domain}/api`}"
|
||||||
|
/></label
|
||||||
|
>
|
||||||
<input
|
<input
|
||||||
id="Path"
|
id="Path"
|
||||||
bind:value="{$application.publish.path}"
|
bind:value="{$application.publish.path}"
|
||||||
@@ -38,19 +73,40 @@
|
|||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<label for="publishDir">Publish Directory</label>
|
{#if showPorts.includes($application.build.pack)}
|
||||||
|
<label for="Port" >Port</label>
|
||||||
|
<input
|
||||||
|
id="Port"
|
||||||
|
class="mb-6"
|
||||||
|
bind:value="{$application.publish.port}"
|
||||||
|
placeholder="{$application.build.pack === 'static' ? '80' : '3000'}"
|
||||||
|
/>
|
||||||
|
{/if}
|
||||||
|
<div class="grid grid-flow-col gap-2 items-center pt-12">
|
||||||
|
<div class="grid grid-flow-row">
|
||||||
|
<label for="baseDir"
|
||||||
|
>Base Directory <TooltipInfo
|
||||||
|
label="The directory to use as base for every command (could be useful if you have a monorepo)."
|
||||||
|
/></label
|
||||||
|
>
|
||||||
|
<input
|
||||||
|
id="baseDir"
|
||||||
|
bind:value="{$application.build.directory}"
|
||||||
|
placeholder="/"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div class="grid grid-flow-row">
|
||||||
|
<label for="publishDir"
|
||||||
|
>Publish Directory <TooltipInfo
|
||||||
|
label="The directory to deploy after running the build command. eg: dist, _site, public."
|
||||||
|
/></label
|
||||||
|
>
|
||||||
<input
|
<input
|
||||||
id="publishDir"
|
id="publishDir"
|
||||||
bind:value="{$application.publish.directory}"
|
bind:value="{$application.publish.directory}"
|
||||||
placeholder="/"
|
placeholder="/"
|
||||||
/>
|
/>
|
||||||
{#if $application.build.pack === "nodejs"}
|
</div>
|
||||||
<label for="Port" class="pt-6">Port</label>
|
</div>
|
||||||
<input
|
|
||||||
id="Port"
|
|
||||||
bind:value="{$application.publish.port}"
|
|
||||||
placeholder="{$application.build.pack === 'static' ? '80' : '3000'}"
|
|
||||||
/>
|
|
||||||
{/if}
|
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
@@ -1,24 +1,46 @@
|
|||||||
<script>
|
<script>
|
||||||
export let loading, branches;
|
export let loading, branches;
|
||||||
|
import { isActive } from "@roxi/routify";
|
||||||
import { application } from "@store";
|
import { application } from "@store";
|
||||||
|
import Select from "svelte-select";
|
||||||
|
|
||||||
|
const selectedValue =
|
||||||
|
!$isActive("/application/new") && $application.repository.branch
|
||||||
|
|
||||||
|
function handleSelect(event) {
|
||||||
|
$application.repository.branch = null;
|
||||||
|
setTimeout(() => {
|
||||||
|
$application.repository.branch = event.detail.value;
|
||||||
|
}, 1);
|
||||||
|
}
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
{#if loading}
|
{#if loading}
|
||||||
<div class="grid grid-cols-1">
|
<div class="grid grid-cols-1">
|
||||||
<label for="branch">Branch</label>
|
<label for="branch">Branch</label>
|
||||||
<select disabled>
|
<div class="repository-select-search col-span-2">
|
||||||
<option selected>Loading branches</option>
|
<Select
|
||||||
</select>
|
containerClasses="w-full border-none bg-transparent"
|
||||||
|
placeholder="Loading branches..."
|
||||||
|
isDisabled
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
{:else}
|
{:else}
|
||||||
<div class="grid grid-cols-1">
|
<div class="grid grid-cols-1">
|
||||||
<label for="branch">Branch</label>
|
<label for="branch">Branch</label>
|
||||||
<!-- svelte-ignore a11y-no-onchange -->
|
<div class="repository-select-search col-span-2">
|
||||||
<select id="branch" bind:value="{$application.repository.branch}">
|
<Select
|
||||||
<option disabled selected>Select a branch</option>
|
containerClasses="w-full border-none bg-transparent"
|
||||||
{#each branches as branch}
|
on:select="{handleSelect}"
|
||||||
<option value="{branch.name}" class="font-bold">{branch.name}</option>
|
selectedValue="{selectedValue}"
|
||||||
{/each}
|
isClearable="{false}"
|
||||||
</select>
|
items="{branches.map(b => ({ label: b.name, value: b.name }))}"
|
||||||
|
showIndicator="{$isActive('/application/new')}"
|
||||||
|
noOptionsMessage="No branches found"
|
||||||
|
placeholder="Select a branch"
|
||||||
|
isDisabled="{!$isActive('/application/new')}"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
{/if}
|
{/if}
|
||||||
|
|||||||
@@ -18,7 +18,7 @@
|
|||||||
let repositories = [];
|
let repositories = [];
|
||||||
|
|
||||||
function dashify(str, options) {
|
function dashify(str, options) {
|
||||||
if (typeof str !== "string") return str
|
if (typeof str !== "string") return str;
|
||||||
return str
|
return str
|
||||||
.trim()
|
.trim()
|
||||||
.replace(/\W/g, m => (/[À-ž]/.test(m) ? m : "-"))
|
.replace(/\W/g, m => (/[À-ž]/.test(m) ? m : "-"))
|
||||||
@@ -29,6 +29,7 @@
|
|||||||
|
|
||||||
async function loadBranches() {
|
async function loadBranches() {
|
||||||
loading.branches = true;
|
loading.branches = true;
|
||||||
|
if ($isActive("/application/new")) $application.repository.branch = null;
|
||||||
const selectedRepository = repositories.find(
|
const selectedRepository = repositories.find(
|
||||||
r => r.id === $application.repository.id,
|
r => r.id === $application.repository.id,
|
||||||
);
|
);
|
||||||
@@ -44,7 +45,16 @@
|
|||||||
loading.branches = false;
|
loading.branches = false;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async function getGithubRepos(id, page) {
|
||||||
|
const data = await $fetch(
|
||||||
|
`https://api.github.com/user/installations/${id}/repositories?per_page=100&page=${page}`,
|
||||||
|
);
|
||||||
|
|
||||||
|
return data;
|
||||||
|
}
|
||||||
|
|
||||||
async function loadGithub() {
|
async function loadGithub() {
|
||||||
|
loading.github = true;
|
||||||
try {
|
try {
|
||||||
const { installations } = await $fetch(
|
const { installations } = await $fetch(
|
||||||
"https://api.github.com/user/installations",
|
"https://api.github.com/user/installations",
|
||||||
@@ -55,12 +65,28 @@
|
|||||||
$application.github.installation.id = installations[0].id;
|
$application.github.installation.id = installations[0].id;
|
||||||
$application.github.app.id = installations[0].app_id;
|
$application.github.app.id = installations[0].app_id;
|
||||||
|
|
||||||
const data = await $fetch(
|
let page = 1;
|
||||||
`https://api.github.com/user/installations/${$application.github.installation.id}/repositories?per_page=10000`,
|
let userRepos = 0;
|
||||||
|
const data = await getGithubRepos(
|
||||||
|
$application.github.installation.id,
|
||||||
|
page,
|
||||||
);
|
);
|
||||||
|
|
||||||
repositories = data.repositories;
|
repositories = repositories.concat(data.repositories);
|
||||||
const foundRepositoryOnGithub = data.repositories.find(
|
userRepos = data.total_count;
|
||||||
|
|
||||||
|
if (userRepos > repositories.length) {
|
||||||
|
while (userRepos > repositories.length) {
|
||||||
|
page = page + 1;
|
||||||
|
const repos = await getGithubRepos(
|
||||||
|
$application.github.installation.id,
|
||||||
|
page,
|
||||||
|
);
|
||||||
|
repositories = repositories.concat(repos.repositories);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const foundRepositoryOnGithub = repositories.find(
|
||||||
r =>
|
r =>
|
||||||
r.full_name ===
|
r.full_name ===
|
||||||
`${$application.repository.organization}/${$application.repository.name}`,
|
`${$application.repository.organization}/${$application.repository.name}`,
|
||||||
@@ -72,9 +98,10 @@
|
|||||||
}
|
}
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
return false;
|
return false;
|
||||||
}
|
} finally {
|
||||||
loading.github = false;
|
loading.github = false;
|
||||||
}
|
}
|
||||||
|
}
|
||||||
function modifyGithubAppConfig() {
|
function modifyGithubAppConfig() {
|
||||||
const left = screen.width / 2 - 1020 / 2;
|
const left = screen.width / 2 - 1020 / 2;
|
||||||
const top = screen.height / 2 - 618 / 2;
|
const top = screen.height / 2 - 618 / 2;
|
||||||
@@ -117,18 +144,64 @@
|
|||||||
}
|
}
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
|
{#if !$isActive("/application/new")}
|
||||||
|
<div class="min-h-full text-white">
|
||||||
|
<div
|
||||||
|
class="py-5 text-left px-6 text-3xl tracking-tight font-bold flex items-center"
|
||||||
|
>
|
||||||
|
<a
|
||||||
|
target="_blank"
|
||||||
|
class="text-green-500 hover:underline cursor-pointer px-2"
|
||||||
|
href="{'https://' +
|
||||||
|
$application.publish.domain +
|
||||||
|
$application.publish.path}"
|
||||||
|
>{$application.publish.domain
|
||||||
|
? `${$application.publish.domain}${$application.publish.path !== '/' ? $application.publish.path : ''}`
|
||||||
|
: "Loading..."}</a
|
||||||
|
>
|
||||||
|
<a
|
||||||
|
target="_blank"
|
||||||
|
class="icon"
|
||||||
|
href="{`https://github.com/${$application.repository.organization}/${$application.repository.name}`}"
|
||||||
|
>
|
||||||
|
<svg
|
||||||
|
class="w-6"
|
||||||
|
xmlns="http://www.w3.org/2000/svg"
|
||||||
|
viewBox="0 0 24 24"
|
||||||
|
fill="none"
|
||||||
|
stroke="currentColor"
|
||||||
|
stroke-width="2"
|
||||||
|
stroke-linecap="round"
|
||||||
|
stroke-linejoin="round"
|
||||||
|
><path
|
||||||
|
d="M9 19c-5 1.5-5-2.5-7-3m14 6v-3.87a3.37 3.37 0 0 0-.94-2.61c3.14-.35 6.44-1.54 6.44-7A5.44 5.44 0 0 0 20 4.77 5.07 5.07 0 0 0 19.91 1S18.73.65 16 2.48a13.38 13.38 0 0 0-7 0C6.27.65 5.09 1 5.09 1A5.07 5.07 0 0 0 5 4.77a5.44 5.44 0 0 0-1.5 3.78c0 5.42 3.3 6.61 6.44 7A3.37 3.37 0 0 0 9 18.13V22"
|
||||||
|
></path></svg
|
||||||
|
></a
|
||||||
|
>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{:else if $isActive("/application/new")}
|
||||||
|
<div class="min-h-full text-white">
|
||||||
|
<div
|
||||||
|
class="py-5 text-left px-6 text-3xl tracking-tight font-bold flex items-center"
|
||||||
|
>
|
||||||
|
New Application
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{/if}
|
||||||
|
|
||||||
<div in:fade="{{ duration: 100 }}">
|
<div in:fade="{{ duration: 100 }}">
|
||||||
{#if !$session.githubAppToken}
|
{#if !$session.githubAppToken}
|
||||||
<Login />
|
<Login />
|
||||||
{:else}
|
{:else}
|
||||||
{#await loadGithub()}
|
{#await loadGithub()}
|
||||||
<Loading />
|
<Loading github githubLoadingText="Loading repositories..." />
|
||||||
{:then}
|
{:then}
|
||||||
{#if loading.github}
|
{#if loading.github}
|
||||||
<Loading />
|
<Loading github githubLoadingText="Loading repositories..." />
|
||||||
{:else}
|
{:else}
|
||||||
<div
|
<div
|
||||||
class="text-center space-y-2 max-w-4xl mx-auto px-6"
|
class="space-y-2 max-w-4xl mx-auto px-6"
|
||||||
in:fade="{{ duration: 100 }}"
|
in:fade="{{ duration: 100 }}"
|
||||||
>
|
>
|
||||||
<Repositories
|
<Repositories
|
||||||
|
|||||||
@@ -2,35 +2,44 @@
|
|||||||
import { createEventDispatcher } from "svelte";
|
import { createEventDispatcher } from "svelte";
|
||||||
import { isActive } from "@roxi/routify";
|
import { isActive } from "@roxi/routify";
|
||||||
import { application } from "@store";
|
import { application } from "@store";
|
||||||
|
import Select from "svelte-select";
|
||||||
|
|
||||||
|
function handleSelect(event) {
|
||||||
|
$application.repository.id = parseInt(event.detail.value, 10);
|
||||||
|
dispatch("loadBranches");
|
||||||
|
}
|
||||||
|
|
||||||
export let repositories;
|
export let repositories;
|
||||||
|
let items = repositories.map(repo => ({
|
||||||
|
label: `${repo.owner.login}/${repo.name}`,
|
||||||
|
value: repo.id.toString(),
|
||||||
|
}));
|
||||||
|
|
||||||
|
const selectedValue =
|
||||||
|
!$isActive("/application/new") &&
|
||||||
|
`${$application.repository.organization}/${$application.repository.name}`;
|
||||||
|
|
||||||
const dispatch = createEventDispatcher();
|
const dispatch = createEventDispatcher();
|
||||||
const loadBranches = () => dispatch("loadBranches");
|
|
||||||
const modifyGithubAppConfig = () => dispatch("modifyGithubAppConfig");
|
const modifyGithubAppConfig = () => dispatch("modifyGithubAppConfig");
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<div class="grid grid-cols-1">
|
<div class="grid grid-cols-1">
|
||||||
{#if repositories.length !== 0}
|
{#if repositories.length !== 0}
|
||||||
<label for="repository">Organization / Repository</label>
|
<label for="repository">Organization / Repository</label>
|
||||||
<div class="grid grid-cols-3">
|
<div class="grid grid-cols-3 ">
|
||||||
<!-- svelte-ignore a11y-no-onchange -->
|
<div class="repository-select-search col-span-2">
|
||||||
<select
|
<Select
|
||||||
id="repository"
|
containerClasses="w-full border-none bg-transparent"
|
||||||
class:cursor-not-allowed="{!$isActive('/application/new')}"
|
on:select="{handleSelect}"
|
||||||
class="col-span-2"
|
selectedValue="{selectedValue}"
|
||||||
bind:value="{$application.repository.id}"
|
isClearable="{false}"
|
||||||
on:change="{loadBranches}"
|
items="{items}"
|
||||||
disabled="{!$isActive('/application/new')}"
|
showIndicator="{$isActive('/application/new')}"
|
||||||
>
|
noOptionsMessage="No Repositories found"
|
||||||
<option selected disabled>Select a repository</option>
|
placeholder="Select a Repository"
|
||||||
{#each repositories as repo}
|
isDisabled="{!$isActive('/application/new')}"
|
||||||
<option value="{repo.id}" class="font-bold">
|
/>
|
||||||
{repo.owner.login}
|
</div>
|
||||||
/
|
|
||||||
{repo.name}
|
|
||||||
</option>
|
|
||||||
{/each}
|
|
||||||
</select>
|
|
||||||
|
|
||||||
<button
|
<button
|
||||||
class="button col-span-1 ml-2 bg-warmGray-800 hover:bg-warmGray-700 text-white"
|
class="button col-span-1 ml-2 bg-warmGray-800 hover:bg-warmGray-700 text-white"
|
||||||
on:click="{modifyGithubAppConfig}">Configure on Github</button
|
on:click="{modifyGithubAppConfig}">Configure on Github</button
|
||||||
|
|||||||
@@ -1,11 +1,15 @@
|
|||||||
<script>
|
<script>
|
||||||
import { redirect, isActive } from "@roxi/routify";
|
import { redirect, isActive } from "@roxi/routify";
|
||||||
|
import { onMount } from "svelte";
|
||||||
|
import { toast } from "@zerodevx/svelte-toast";
|
||||||
|
import templates from "../../../utils/templates";
|
||||||
import { application, fetch, deployments } from "@store";
|
import { application, fetch, deployments } from "@store";
|
||||||
import General from "./ActiveTab/General.svelte";
|
import General from "./ActiveTab/General.svelte";
|
||||||
import BuildStep from "./ActiveTab/BuildStep.svelte";
|
import BuildStep from "./ActiveTab/BuildStep.svelte";
|
||||||
import Secrets from "./ActiveTab/Secrets.svelte";
|
import Secrets from "./ActiveTab/Secrets.svelte";
|
||||||
import { onMount } from "svelte";
|
import Loading from "../../Loading.svelte";
|
||||||
|
const buildPhaseActive = ["nodejs", "static"];
|
||||||
|
let loading = false;
|
||||||
onMount(async () => {
|
onMount(async () => {
|
||||||
if (!$isActive("/application/new")) {
|
if (!$isActive("/application/new")) {
|
||||||
const config = await $fetch(`/api/v1/config`, {
|
const config = await $fetch(`/api/v1/config`, {
|
||||||
@@ -22,22 +26,83 @@
|
|||||||
branch: $application.repository.branch,
|
branch: $application.repository.branch,
|
||||||
});
|
});
|
||||||
} else {
|
} else {
|
||||||
$deployments.applications.deployed.filter(d => {
|
loading = true;
|
||||||
const conf = d?.Spec?.Labels.application;
|
$deployments?.applications?.deployed.find(d => {
|
||||||
|
const conf = d?.Spec?.Labels.configuration;
|
||||||
if (
|
if (
|
||||||
conf.repository.organization ===
|
conf?.repository?.organization ===
|
||||||
$application.repository.organization &&
|
$application.repository.organization &&
|
||||||
conf.repository.name === $application.repository.name &&
|
conf?.repository?.name === $application.repository.name &&
|
||||||
conf.repository.branch === $application.repository.branch
|
conf?.repository?.branch === $application.repository.branch
|
||||||
) {
|
) {
|
||||||
$redirect(`/application/:organization/:name/:branch/configuration`, {
|
$redirect(`/application/:organization/:name/:branch/configuration`, {
|
||||||
name: $application.repository.name,
|
name: $application.repository.name,
|
||||||
organization: $application.repository.organization,
|
organization: $application.repository.organization,
|
||||||
branch: $application.repository.branch,
|
branch: $application.repository.branch,
|
||||||
});
|
});
|
||||||
|
toast.push("This repository & branch is already defined. Redirecting...");
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
try {
|
||||||
|
const dir = await $fetch(
|
||||||
|
`https://api.github.com/repos/${$application.repository.organization}/${$application.repository.name}/contents/?ref=${$application.repository.branch}`,
|
||||||
|
);
|
||||||
|
const packageJson = dir.find(
|
||||||
|
f => f.type === "file" && f.name === "package.json",
|
||||||
|
);
|
||||||
|
const Dockerfile = dir.find(
|
||||||
|
f => f.type === "file" && f.name === "Dockerfile",
|
||||||
|
);
|
||||||
|
const CargoToml = dir.find(
|
||||||
|
f => f.type === "file" && f.name === "Cargo.toml",
|
||||||
|
);
|
||||||
|
|
||||||
|
if (Dockerfile) {
|
||||||
|
$application.build.pack = "custom";
|
||||||
|
toast.push("Custom Dockerfile found. Build pack set to custom.");
|
||||||
|
} else if (packageJson) {
|
||||||
|
const { content } = await $fetch(packageJson.git_url);
|
||||||
|
const packageJsonContent = JSON.parse(atob(content));
|
||||||
|
const checkPackageJSONContents = dep => {
|
||||||
|
return (
|
||||||
|
packageJsonContent?.dependencies?.hasOwnProperty(dep) ||
|
||||||
|
packageJsonContent?.devDependencies?.hasOwnProperty(dep)
|
||||||
|
);
|
||||||
|
};
|
||||||
|
Object.keys(templates).map(dep => {
|
||||||
|
if (checkPackageJSONContents(dep)) {
|
||||||
|
const config = templates[dep];
|
||||||
|
$application.build.pack = config.pack;
|
||||||
|
if (config.installation) {
|
||||||
|
$application.build.command.installation = config.installation;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (config.port) {
|
||||||
|
$application.publish.port = config.port;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (config.directory) {
|
||||||
|
$application.publish.directory = config.directory;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (
|
||||||
|
packageJsonContent.scripts.hasOwnProperty("build") &&
|
||||||
|
config.build
|
||||||
|
) {
|
||||||
|
$application.build.command.build = config.build;
|
||||||
|
}
|
||||||
|
toast.push(`${config.name} App detected. Default values set.`);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
} else if (CargoToml) {
|
||||||
|
$application.build.pack = "rust";
|
||||||
|
toast.push(`Rust language detected. Default values set.`);
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
// Nothing detected
|
||||||
|
}
|
||||||
|
}
|
||||||
|
loading = false;
|
||||||
});
|
});
|
||||||
let activeTab = {
|
let activeTab = {
|
||||||
general: true,
|
general: true,
|
||||||
@@ -56,7 +121,10 @@
|
|||||||
}
|
}
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<div class="block text-center py-4">
|
{#if loading}
|
||||||
|
<Loading github githubLoadingText="Scanning repository..." />
|
||||||
|
{:else}
|
||||||
|
<div class="block text-center py-4">
|
||||||
<nav
|
<nav
|
||||||
class="flex space-x-4 justify-center font-bold text-md text-white"
|
class="flex space-x-4 justify-center font-bold text-md text-white"
|
||||||
aria-label="Tabs"
|
aria-label="Tabs"
|
||||||
@@ -68,6 +136,11 @@
|
|||||||
>
|
>
|
||||||
General
|
General
|
||||||
</div>
|
</div>
|
||||||
|
{#if !buildPhaseActive.includes($application.build.pack)}
|
||||||
|
<div disabled class="px-3 py-2 text-warmGray-700 cursor-not-allowed">
|
||||||
|
Build Step
|
||||||
|
</div>
|
||||||
|
{:else}
|
||||||
<div
|
<div
|
||||||
on:click="{() => activateTab('buildStep')}"
|
on:click="{() => activateTab('buildStep')}"
|
||||||
class:text-green-500="{activeTab.buildStep}"
|
class:text-green-500="{activeTab.buildStep}"
|
||||||
@@ -75,6 +148,12 @@
|
|||||||
>
|
>
|
||||||
Build Step
|
Build Step
|
||||||
</div>
|
</div>
|
||||||
|
{/if}
|
||||||
|
{#if $application.build.pack === "custom"}
|
||||||
|
<div disabled class="px-3 py-2 text-warmGray-700 cursor-not-allowed">
|
||||||
|
Secrets
|
||||||
|
</div>
|
||||||
|
{:else}
|
||||||
<div
|
<div
|
||||||
on:click="{() => activateTab('secrets')}"
|
on:click="{() => activateTab('secrets')}"
|
||||||
class:text-green-500="{activeTab.secrets}"
|
class:text-green-500="{activeTab.secrets}"
|
||||||
@@ -82,9 +161,10 @@
|
|||||||
>
|
>
|
||||||
Secrets
|
Secrets
|
||||||
</div>
|
</div>
|
||||||
|
{/if}
|
||||||
</nav>
|
</nav>
|
||||||
</div>
|
</div>
|
||||||
<div class="max-w-4xl mx-auto">
|
<div class="max-w-4xl mx-auto">
|
||||||
<div class="h-full">
|
<div class="h-full">
|
||||||
{#if activeTab.general}
|
{#if activeTab.general}
|
||||||
<General />
|
<General />
|
||||||
@@ -94,4 +174,5 @@
|
|||||||
<Secrets />
|
<Secrets />
|
||||||
{/if}
|
{/if}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
{/if}
|
||||||
|
|||||||
@@ -42,11 +42,38 @@
|
|||||||
</style>
|
</style>
|
||||||
|
|
||||||
<script>
|
<script>
|
||||||
|
export let github = false;
|
||||||
|
export let githubLoadingText = "Loading GitHub...";
|
||||||
export let fullscreen = true;
|
export let fullscreen = true;
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
{#if fullscreen}
|
{#if fullscreen}
|
||||||
<div class="fixed top-0 flex flex-wrap content-center h-full w-full">
|
{#if github}
|
||||||
<span class="loader"></span>
|
<div class="fixed left-0 top-0 flex flex-wrap content-center h-full w-full">
|
||||||
|
<div class="main flex justify-center items-center">
|
||||||
|
<div class="w-64">
|
||||||
|
<svg
|
||||||
|
class=" w-28 animate-bounce mx-auto"
|
||||||
|
xmlns="http://www.w3.org/2000/svg"
|
||||||
|
viewBox="0 0 24 24"
|
||||||
|
fill="none"
|
||||||
|
stroke="currentColor"
|
||||||
|
stroke-width="2"
|
||||||
|
stroke-linecap="round"
|
||||||
|
stroke-linejoin="round"
|
||||||
|
><path
|
||||||
|
d="M9 19c-5 1.5-5-2.5-7-3m14 6v-3.87a3.37 3.37 0 0 0-.94-2.61c3.14-.35 6.44-1.54 6.44-7A5.44 5.44 0 0 0 20 4.77 5.07 5.07 0 0 0 19.91 1S18.73.65 16 2.48a13.38 13.38 0 0 0-7 0C6.27.65 5.09 1 5.09 1A5.07 5.07 0 0 0 5 4.77a5.44 5.44 0 0 0-1.5 3.78c0 5.42 3.3 6.61 6.44 7A3.37 3.37 0 0 0 9 18.13V22"
|
||||||
|
></path></svg
|
||||||
|
>
|
||||||
|
<div class="text-xl font-bold text-center">
|
||||||
|
{githubLoadingText}
|
||||||
</div>
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{:else}
|
||||||
|
<div class="main fixed left-0 top-0 flex flex-wrap content-center h-full">
|
||||||
|
<span class=" loader"></span>
|
||||||
|
</div>
|
||||||
|
{/if}
|
||||||
{/if}
|
{/if}
|
||||||
|
|||||||
14
src/components/Tooltip/Tooltip.svelte
Normal file
14
src/components/Tooltip/Tooltip.svelte
Normal file
@@ -0,0 +1,14 @@
|
|||||||
|
<script>
|
||||||
|
export let position = "bottom";
|
||||||
|
export let label;
|
||||||
|
export let size = "fit";
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<span
|
||||||
|
aria-label="{label}"
|
||||||
|
data-microtip-position="{position}"
|
||||||
|
data-microtip-size="{size}"
|
||||||
|
role="tooltip"
|
||||||
|
>
|
||||||
|
<slot></slot>
|
||||||
|
</span>
|
||||||
25
src/components/Tooltip/TooltipInfo.svelte
Normal file
25
src/components/Tooltip/TooltipInfo.svelte
Normal file
@@ -0,0 +1,25 @@
|
|||||||
|
<script>
|
||||||
|
export let position = "top";
|
||||||
|
export let label;
|
||||||
|
export let size = "large";
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<span
|
||||||
|
class="absolute px-1 py-1"
|
||||||
|
aria-label="{label}"
|
||||||
|
data-microtip-position="{position}"
|
||||||
|
data-microtip-size="{size}"
|
||||||
|
role="tooltip"
|
||||||
|
>
|
||||||
|
<svg
|
||||||
|
class="w-4 text-warmGray-600 hover:text-white"
|
||||||
|
xmlns="http://www.w3.org/2000/svg"
|
||||||
|
viewBox="0 0 20 20"
|
||||||
|
fill="currentColor"
|
||||||
|
>
|
||||||
|
<path
|
||||||
|
fill-rule="evenodd"
|
||||||
|
d="M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-7-4a1 1 0 11-2 0 1 1 0 012 0zM9 9a1 1 0 000 2v3a1 1 0 001 1h1a1 1 0 100-2v-3a1 1 0 00-1-1H9z"
|
||||||
|
clip-rule="evenodd"></path>
|
||||||
|
</svg>
|
||||||
|
</span>
|
||||||
@@ -16,3 +16,33 @@ body {
|
|||||||
--toastProgressBackground: transparent;
|
--toastProgressBackground: transparent;
|
||||||
--toastFont: 'Inter';
|
--toastFont: 'Inter';
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.border-gradient {
|
||||||
|
border-bottom: 2px solid transparent;
|
||||||
|
border-image: linear-gradient(0.25turn, rgba(255, 249, 34), rgba(255, 0, 128), rgba(56, 2, 155, 0));
|
||||||
|
border-image-slice: 1;
|
||||||
|
}
|
||||||
|
|
||||||
|
[aria-label][role~="tooltip"]::after {
|
||||||
|
background: rgba(41, 37, 36, 0.9);
|
||||||
|
color: white;
|
||||||
|
font-family: 'Inter';
|
||||||
|
font-size: 16px;
|
||||||
|
font-weight: 600;
|
||||||
|
white-space: normal;
|
||||||
|
}
|
||||||
|
|
||||||
|
[role~="tooltip"][data-microtip-position|="bottom"]::before {
|
||||||
|
background: url("data:image/svg+xml;charset=utf-8,%3Csvg%20xmlns%3D%22http%3A//www.w3.org/2000/svg%22%20width%3D%2236px%22%20height%3D%2212px%22%3E%3Cpath%20fill%3D%22rgba%2841,%2037,%2036,%200.9%29%22%20transform%3D%22rotate%28180%2018%206%29%22%20d%3D%22M2.658,0.000%20C-13.615,0.000%2050.938,0.000%2034.662,0.000%20C28.662,0.000%2023.035,12.002%2018.660,12.002%20C14.285,12.002%208.594,0.000%202.658,0.000%20Z%22/%3E%3C/svg%3E") no-repeat;
|
||||||
|
}
|
||||||
|
|
||||||
|
[role~="tooltip"][data-microtip-position|="top"]::before {
|
||||||
|
background: url("data:image/svg+xml;charset=utf-8,%3Csvg%20xmlns%3D%22http%3A//www.w3.org/2000/svg%22%20width%3D%2236px%22%20height%3D%2212px%22%3E%3Cpath%20fill%3D%22rgba%2841,%2037,%2036,%200.9%29%22%20transform%3D%22rotate%280%29%22%20d%3D%22M2.658,0.000%20C-13.615,0.000%2050.938,0.000%2034.662,0.000%20C28.662,0.000%2023.035,12.002%2018.660,12.002%20C14.285,12.002%208.594,0.000%202.658,0.000%20Z%22/%3E%3C/svg%3E") no-repeat;
|
||||||
|
}
|
||||||
|
[role~="tooltip"][data-microtip-position="right"]::before {
|
||||||
|
background: url("data:image/svg+xml;charset=utf-8,%3Csvg%20xmlns%3D%22http%3A//www.w3.org/2000/svg%22%20width%3D%2212px%22%20height%3D%2236px%22%3E%3Cpath%20fill%3D%22rgba%2841,%2037,%2036,%200.9%29%22%20transform%3D%22rotate%2890%206%206%29%22%20d%3D%22M2.658,0.000%20C-13.615,0.000%2050.938,0.000%2034.662,0.000%20C28.662,0.000%2023.035,12.002%2018.660,12.002%20C14.285,12.002%208.594,0.000%202.658,0.000%20Z%22/%3E%3C/svg%3E") no-repeat;
|
||||||
|
}
|
||||||
|
|
||||||
|
[role~="tooltip"][data-microtip-position="left"]::before {
|
||||||
|
background: url("data:image/svg+xml;charset=utf-8,%3Csvg%20xmlns%3D%22http%3A//www.w3.org/2000/svg%22%20width%3D%2212px%22%20height%3D%2236px%22%3E%3Cpath%20fill%3D%22rgba%2841,%2037,%2036,%200.9%29%22%20transform%3D%22rotate%28-90%2018%2018%29%22%20d%3D%22M2.658,0.000%20C-13.615,0.000%2050.938,0.000%2034.662,0.000%20C28.662,0.000%2023.035,12.002%2018.660,12.002%20C14.285,12.002%208.594,0.000%202.658,0.000%20Z%22/%3E%3C/svg%3E") no-repeat;
|
||||||
|
}
|
||||||
@@ -2,33 +2,23 @@
|
|||||||
.min-w-4rem {
|
.min-w-4rem {
|
||||||
min-width: 4rem;
|
min-width: 4rem;
|
||||||
}
|
}
|
||||||
.main {
|
|
||||||
width: calc(100% - 4rem);
|
|
||||||
margin-left: 4rem;
|
|
||||||
}
|
|
||||||
</style>
|
</style>
|
||||||
|
|
||||||
<script>
|
<script>
|
||||||
import { url, goto, route, isActive, redirect } from "@roxi/routify/runtime";
|
import { goto, route, isActive } from "@roxi/routify/runtime";
|
||||||
import {
|
import { loggedIn, session, fetch, deployments } from "@store";
|
||||||
loggedIn,
|
|
||||||
session,
|
|
||||||
fetch,
|
|
||||||
deployments,
|
|
||||||
application,
|
|
||||||
initConf,
|
|
||||||
} from "@store";
|
|
||||||
import { toast } from "@zerodevx/svelte-toast";
|
import { toast } from "@zerodevx/svelte-toast";
|
||||||
import { onMount } from "svelte";
|
import { onMount } from "svelte";
|
||||||
import compareVersions from 'compare-versions';
|
import compareVersions from "compare-versions";
|
||||||
import packageJson from "../../package.json";
|
import packageJson from "../../package.json";
|
||||||
|
import Tooltip from "../components/Tooltip/Tooltip.svelte";
|
||||||
|
|
||||||
let upgradeAvailable = false;
|
let upgradeAvailable = false;
|
||||||
let upgradeDisabled = false;
|
let upgradeDisabled = false;
|
||||||
let upgradeDone = false;
|
let upgradeDone = false;
|
||||||
let latest = {};
|
let latest = {};
|
||||||
onMount(async () => {
|
onMount(async () => {
|
||||||
upgradeAvailable = await checkUpgrade();
|
if ($session.token) upgradeAvailable = await checkUpgrade();
|
||||||
});
|
});
|
||||||
async function verifyToken() {
|
async function verifyToken() {
|
||||||
if ($session.token) {
|
if ($session.token) {
|
||||||
@@ -74,14 +64,23 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
async function checkUpgrade() {
|
async function checkUpgrade() {
|
||||||
const branch = process.env.NODE_ENV === 'production' && window.location.hostname !== 'test.andrasbacsai.dev' ? 'main' : 'next'
|
|
||||||
latest = await window
|
latest = await window
|
||||||
.fetch(
|
.fetch(`https://get.coollabs.io/version.json`, {
|
||||||
`https://raw.githubusercontent.com/coollabsio/coolify/${branch}/package.json`,
|
cache: "no-cache",
|
||||||
{ cache: "no-cache" },
|
})
|
||||||
)
|
|
||||||
.then(r => r.json());
|
.then(r => r.json());
|
||||||
return compareVersions(latest.version,packageJson.version) === 1 ? true : false
|
const branch =
|
||||||
|
process.env.NODE_ENV === "production" &&
|
||||||
|
window.location.hostname !== "test.andrasbacsai.dev"
|
||||||
|
? "main"
|
||||||
|
: "next";
|
||||||
|
|
||||||
|
return compareVersions(
|
||||||
|
latest.coolify[branch].version,
|
||||||
|
packageJson.version,
|
||||||
|
) === 1
|
||||||
|
? true
|
||||||
|
: false;
|
||||||
}
|
}
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
@@ -91,11 +90,12 @@
|
|||||||
class="w-16 bg-warmGray-800 text-white top-0 left-0 fixed min-w-4rem min-h-screen"
|
class="w-16 bg-warmGray-800 text-white top-0 left-0 fixed min-w-4rem min-h-screen"
|
||||||
>
|
>
|
||||||
<div
|
<div
|
||||||
class="flex flex-col w-full h-screen items-center space-y-4 transition-all duration-100"
|
class="flex flex-col w-full h-screen items-center transition-all duration-100"
|
||||||
class:border-green-500="{$isActive('/dashboard/applications')}"
|
class:border-green-500="{$isActive('/dashboard/applications')}"
|
||||||
class:border-purple-500="{$isActive('/dashboard/databases')}"
|
class:border-purple-500="{$isActive('/dashboard/databases')}"
|
||||||
>
|
>
|
||||||
<img class="w-10 pt-4 pb-4" src="/favicon.png" alt="coolLabs logo" />
|
<img class="w-10 pt-4 pb-4" src="/favicon.png" alt="coolLabs logo" />
|
||||||
|
<Tooltip position="right" label="Applications">
|
||||||
<div
|
<div
|
||||||
class="p-2 hover:bg-warmGray-700 rounded hover:text-green-500 my-4 transition-all duration-100 cursor-pointer"
|
class="p-2 hover:bg-warmGray-700 rounded hover:text-green-500 my-4 transition-all duration-100 cursor-pointer"
|
||||||
on:click="{() => $goto('/dashboard/applications')}"
|
on:click="{() => $goto('/dashboard/applications')}"
|
||||||
@@ -113,19 +113,17 @@
|
|||||||
stroke-width="2"
|
stroke-width="2"
|
||||||
stroke-linecap="round"
|
stroke-linecap="round"
|
||||||
stroke-linejoin="round"
|
stroke-linejoin="round"
|
||||||
><rect x="4" y="4" width="16" height="16" rx="2" ry="2"></rect><rect
|
><rect x="4" y="4" width="16" height="16" rx="2" ry="2"
|
||||||
x="9"
|
></rect><rect x="9" y="9" width="6" height="6"></rect><line
|
||||||
y="9"
|
x1="9"
|
||||||
width="6"
|
|
||||||
height="6"></rect><line x1="9" y1="1" x2="9" y2="4"></line><line
|
|
||||||
x1="15"
|
|
||||||
y1="1"
|
y1="1"
|
||||||
x2="15"
|
x2="9"
|
||||||
y2="4"></line><line x1="9" y1="20" x2="9" y2="23"></line><line
|
y2="4"></line><line x1="15" y1="1" x2="15" y2="4"></line><line
|
||||||
x1="15"
|
x1="9"
|
||||||
y1="20"
|
y1="20"
|
||||||
x2="15"
|
x2="9"
|
||||||
y2="23"></line><line x1="20" y1="9" x2="23" y2="9"></line><line
|
y2="23"></line><line x1="15" y1="20" x2="15" y2="23"
|
||||||
|
></line><line x1="20" y1="9" x2="23" y2="9"></line><line
|
||||||
x1="20"
|
x1="20"
|
||||||
y1="14"
|
y1="14"
|
||||||
x2="23"
|
x2="23"
|
||||||
@@ -136,8 +134,10 @@
|
|||||||
y2="14"></line></svg
|
y2="14"></line></svg
|
||||||
>
|
>
|
||||||
</div>
|
</div>
|
||||||
|
</Tooltip>
|
||||||
|
<Tooltip position="right" label="Databases">
|
||||||
<div
|
<div
|
||||||
class="p-2 hover:bg-warmGray-700 rounded hover:text-purple-500 my-4 transition-all duration-100 cursor-pointer"
|
class="p-2 hover:bg-warmGray-700 rounded hover:text-purple-500 transition-all duration-100 cursor-pointer"
|
||||||
on:click="{() => $goto('/dashboard/databases')}"
|
on:click="{() => $goto('/dashboard/databases')}"
|
||||||
class:text-purple-500="{$isActive('/dashboard/databases') ||
|
class:text-purple-500="{$isActive('/dashboard/databases') ||
|
||||||
$isActive('/database')}"
|
$isActive('/database')}"
|
||||||
@@ -159,10 +159,11 @@
|
|||||||
></path>
|
></path>
|
||||||
</svg>
|
</svg>
|
||||||
</div>
|
</div>
|
||||||
|
</Tooltip>
|
||||||
<div class="flex-1"></div>
|
<div class="flex-1"></div>
|
||||||
|
<Tooltip position="right" label="Settings">
|
||||||
<button
|
<button
|
||||||
title="Settings"
|
class="p-2 hover:bg-warmGray-700 rounded hover:text-yellow-500 transition-all duration-100 cursor-pointer"
|
||||||
class="p-2 hover:bg-warmGray-700 rounded hover:text-yellow-500 my-4 transition-all duration-100 cursor-pointer"
|
|
||||||
class:text-yellow-500="{$isActive('/settings')}"
|
class:text-yellow-500="{$isActive('/settings')}"
|
||||||
class:bg-warmGray-700="{$isActive('/settings')}"
|
class:bg-warmGray-700="{$isActive('/settings')}"
|
||||||
on:click="{() => $goto('/settings')}"
|
on:click="{() => $goto('/settings')}"
|
||||||
@@ -187,6 +188,8 @@
|
|||||||
d="M15 12a3 3 0 11-6 0 3 3 0 016 0z"></path>
|
d="M15 12a3 3 0 11-6 0 3 3 0 016 0z"></path>
|
||||||
</svg>
|
</svg>
|
||||||
</button>
|
</button>
|
||||||
|
</Tooltip>
|
||||||
|
<Tooltip position="right" label="Logout">
|
||||||
<button
|
<button
|
||||||
class="p-2 hover:bg-warmGray-700 rounded hover:text-red-500 my-4 transition-all duration-100 cursor-pointer"
|
class="p-2 hover:bg-warmGray-700 rounded hover:text-red-500 my-4 transition-all duration-100 cursor-pointer"
|
||||||
on:click="{logout}"
|
on:click="{logout}"
|
||||||
@@ -200,14 +203,15 @@
|
|||||||
stroke-width="2"
|
stroke-width="2"
|
||||||
stroke-linecap="round"
|
stroke-linecap="round"
|
||||||
stroke-linejoin="round"
|
stroke-linejoin="round"
|
||||||
><path d="M9 21H5a2 2 0 0 1-2-2V5a2 2 0 0 1 2-2h4"></path><polyline
|
><path d="M9 21H5a2 2 0 0 1-2-2V5a2 2 0 0 1 2-2h4"
|
||||||
points="16 17 21 12 16 7"></polyline><line
|
></path><polyline points="16 17 21 12 16 7"></polyline><line
|
||||||
x1="21"
|
x1="21"
|
||||||
y1="12"
|
y1="12"
|
||||||
x2="9"
|
x2="9"
|
||||||
y2="12"></line></svg
|
y2="12"></line></svg
|
||||||
>
|
>
|
||||||
</button>
|
</button>
|
||||||
|
</Tooltip>
|
||||||
<div
|
<div
|
||||||
class="cursor-pointer text-xs font-bold text-warmGray-400 py-2 hover:bg-warmGray-700 w-full text-center"
|
class="cursor-pointer text-xs font-bold text-warmGray-400 py-2 hover:bg-warmGray-700 w-full text-center"
|
||||||
>
|
>
|
||||||
@@ -228,7 +232,7 @@
|
|||||||
class="bg-gradient-to-r from-purple-500 via-pink-500 to-red-500 text-xs font-bold rounded px-2 py-2"
|
class="bg-gradient-to-r from-purple-500 via-pink-500 to-red-500 text-xs font-bold rounded px-2 py-2"
|
||||||
disabled="{upgradeDisabled}"
|
disabled="{upgradeDisabled}"
|
||||||
on:click="{upgrade}"
|
on:click="{upgrade}"
|
||||||
>New version available, <br>click here to upgrade!</button
|
>New version available, <br />click here to upgrade!</button
|
||||||
>
|
>
|
||||||
{:else if upgradeDone}
|
{:else if upgradeDone}
|
||||||
<button
|
<button
|
||||||
@@ -240,14 +244,14 @@
|
|||||||
{:else}
|
{:else}
|
||||||
<button
|
<button
|
||||||
class="opacity-50 tracking-tight font-bold text-xs rounded px-2 cursor-not-allowed"
|
class="opacity-50 tracking-tight font-bold text-xs rounded px-2 cursor-not-allowed"
|
||||||
disabled="{upgradeDisabled}">Upgrading. It could take a while, please wait...</button
|
disabled="{upgradeDisabled}"
|
||||||
|
>Upgrading. It could take a while, please wait...</button
|
||||||
>
|
>
|
||||||
{/if}
|
{/if}
|
||||||
|
|
||||||
</div>
|
</div>
|
||||||
</footer>
|
</footer>
|
||||||
{/if}
|
{/if}
|
||||||
<main class:main={$route.path !== "/index"}>
|
<main class:main="{$route.path !== '/index'}">
|
||||||
<slot />
|
<slot />
|
||||||
</main>
|
</main>
|
||||||
{:catch test}
|
{:catch test}
|
||||||
|
|||||||
@@ -1,62 +1,5 @@
|
|||||||
<script>
|
<script>
|
||||||
import { redirect, isActive } from "@roxi/routify";
|
|
||||||
import { application, fetch, initialApplication, initConf } from "@store";
|
|
||||||
import { toast } from "@zerodevx/svelte-toast";
|
|
||||||
import Configuration from "../../../../../components/Application/Configuration/Configuration.svelte";
|
import Configuration from "../../../../../components/Application/Configuration/Configuration.svelte";
|
||||||
import Loading from "../../../../../components/Loading.svelte";
|
|
||||||
|
|
||||||
async function loadConfiguration() {
|
|
||||||
if (!$isActive("/application/new")) {
|
|
||||||
try {
|
|
||||||
const config = await $fetch(`/api/v1/config`, {
|
|
||||||
body: {
|
|
||||||
name: $application.repository.name,
|
|
||||||
organization: $application.repository.organization,
|
|
||||||
branch: $application.repository.branch,
|
|
||||||
},
|
|
||||||
});
|
|
||||||
$application = { ...config };
|
|
||||||
$initConf = JSON.parse(JSON.stringify($application));
|
|
||||||
} catch (error) {
|
|
||||||
toast.push("Configuration not found.");
|
|
||||||
$redirect("/dashboard/applications");
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
$application = JSON.parse(JSON.stringify(initialApplication));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<div class="min-h-full text-white">
|
|
||||||
<div
|
|
||||||
class="py-5 text-left px-6 text-3xl tracking-tight font-bold flex items-center"
|
|
||||||
>
|
|
||||||
<a
|
|
||||||
target="_blank"
|
|
||||||
class="text-green-500 hover:underline cursor-pointer px-2"
|
|
||||||
href="{'https://' +
|
|
||||||
$application.publish.domain +
|
|
||||||
$application.publish.path}">{$application.publish.domain}</a
|
|
||||||
>
|
|
||||||
<a
|
|
||||||
target="_blank"
|
|
||||||
class="icon"
|
|
||||||
href="{`https://github.com/${$application.repository.organization}/${$application.repository.name}`}"
|
|
||||||
>
|
|
||||||
<svg
|
|
||||||
class="w-6"
|
|
||||||
xmlns="http://www.w3.org/2000/svg"
|
|
||||||
viewBox="0 0 24 24"
|
|
||||||
fill="none"
|
|
||||||
stroke="currentColor"
|
|
||||||
stroke-width="2"
|
|
||||||
stroke-linecap="round"
|
|
||||||
stroke-linejoin="round"
|
|
||||||
><path
|
|
||||||
d="M9 19c-5 1.5-5-2.5-7-3m14 6v-3.87a3.37 3.37 0 0 0-.94-2.61c3.14-.35 6.44-1.54 6.44-7A5.44 5.44 0 0 0 20 4.77 5.07 5.07 0 0 0 19.91 1S18.73.65 16 2.48a13.38 13.38 0 0 0-7 0C6.27.65 5.09 1 5.09 1A5.07 5.07 0 0 0 5 4.77a5.44 5.44 0 0 0-1.5 3.78c0 5.42 3.3 6.61 6.44 7A3.37 3.37 0 0 0 9 18.13V22"
|
|
||||||
></path></svg
|
|
||||||
></a
|
|
||||||
>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<Configuration />
|
<Configuration />
|
||||||
|
|||||||
@@ -38,12 +38,12 @@
|
|||||||
<Loading />
|
<Loading />
|
||||||
{:then}
|
{:then}
|
||||||
<div
|
<div
|
||||||
class="text-center space-y-2 max-w-7xl mx-auto px-6"
|
class="text-center px-6"
|
||||||
in:fade="{{ duration: 100 }}"
|
in:fade="{{ duration: 100 }}"
|
||||||
>
|
>
|
||||||
<div class="max-w-4xl mx-auto" in:fade="{{ duration: 100 }}">
|
<div in:fade="{{ duration: 100 }}">
|
||||||
<pre
|
<pre
|
||||||
class="text-left font-mono text-xs font-medium tracking-tighter rounded-lg bg-warmGray-800 p-4 whitespace-pre-wrap">
|
class="leading-4 text-left text-sm font-semibold tracking-tighter rounded-lg bg-black p-6 whitespace-pre-wrap">
|
||||||
{#if logs.length > 0}
|
{#if logs.length > 0}
|
||||||
{#each logs as log}
|
{#each logs as log}
|
||||||
{log + '\n'}
|
{log + '\n'}
|
||||||
|
|||||||
@@ -59,17 +59,17 @@
|
|||||||
<Loading />
|
<Loading />
|
||||||
{:then}
|
{:then}
|
||||||
<div
|
<div
|
||||||
class="text-center space-y-2 max-w-7xl mx-auto px-6"
|
class="text-center px-6"
|
||||||
in:fade="{{ duration: 100 }}"
|
in:fade="{{ duration: 100 }}"
|
||||||
>
|
>
|
||||||
<div class="flex pt-2 space-x-4 w-full">
|
<div class="flex pt-2 space-x-4 w-full">
|
||||||
<div class="w-full">
|
<div class="w-full">
|
||||||
<div class="font-bold text-left pb-2 text-xl">Application logs</div>
|
<div class="font-bold text-left pb-2 text-xl">Application logs</div>
|
||||||
{#if logs.length === 0}
|
{#if logs.length === 0}
|
||||||
<div class="text-xs">Waiting for the logs...</div>
|
<div class="text-xs font-semibold tracking-tighter">Waiting for the logs...</div>
|
||||||
{:else}
|
{:else}
|
||||||
<pre
|
<pre
|
||||||
class="text-left font-mono text-xs font-medium rounded bg-warmGray-800 text-white p-4 whitespace-pre-wrap w-full">
|
class="leading-4 text-left text-sm font-semibold tracking-tighter rounded-lg bg-black p-6 whitespace-pre-wrap w-full">
|
||||||
{#each logs as log}
|
{#each logs as log}
|
||||||
{log + '\n'}
|
{log + '\n'}
|
||||||
{/each}
|
{/each}
|
||||||
|
|||||||
@@ -1,5 +1,4 @@
|
|||||||
<script>
|
<script>
|
||||||
import { fade } from "svelte/transition";
|
|
||||||
import { application } from "@store";
|
import { application } from "@store";
|
||||||
import Configuration from "../../../../../components/Application/Configuration/Configuration.svelte";
|
import Configuration from "../../../../../components/Application/Configuration/Configuration.svelte";
|
||||||
</script>
|
</script>
|
||||||
|
|||||||
@@ -5,6 +5,7 @@
|
|||||||
import { fade } from "svelte/transition";
|
import { fade } from "svelte/transition";
|
||||||
import Loading from "../../components/Loading.svelte";
|
import Loading from "../../components/Loading.svelte";
|
||||||
import { toast } from "@zerodevx/svelte-toast";
|
import { toast } from "@zerodevx/svelte-toast";
|
||||||
|
import Tooltip from "../../components/Tooltip/Tooltip.svelte";
|
||||||
|
|
||||||
$application.repository.organization = $params.organization;
|
$application.repository.organization = $params.organization;
|
||||||
$application.repository.name = $params.name;
|
$application.repository.name = $params.name;
|
||||||
@@ -77,8 +78,8 @@
|
|||||||
<nav
|
<nav
|
||||||
class="flex text-white justify-end items-center m-4 fixed right-0 top-0 space-x-4"
|
class="flex text-white justify-end items-center m-4 fixed right-0 top-0 space-x-4"
|
||||||
>
|
>
|
||||||
|
<Tooltip position="bottom" label="Deploy" >
|
||||||
<button
|
<button
|
||||||
title="Deploy"
|
|
||||||
disabled="{$application.publish.domain === '' ||
|
disabled="{$application.publish.domain === '' ||
|
||||||
$application.publish.domain === null}"
|
$application.publish.domain === null}"
|
||||||
class:cursor-not-allowed="{$application.publish.domain === '' ||
|
class:cursor-not-allowed="{$application.publish.domain === '' ||
|
||||||
@@ -91,6 +92,7 @@
|
|||||||
class="icon"
|
class="icon"
|
||||||
on:click="{deploy}"
|
on:click="{deploy}"
|
||||||
>
|
>
|
||||||
|
|
||||||
<svg
|
<svg
|
||||||
class="w-6"
|
class="w-6"
|
||||||
xmlns="http://www.w3.org/2000/svg"
|
xmlns="http://www.w3.org/2000/svg"
|
||||||
@@ -108,9 +110,11 @@
|
|||||||
d="M20.39 18.39A5 5 0 0 0 18 9h-1.26A8 8 0 1 0 3 16.3"></path><polyline
|
d="M20.39 18.39A5 5 0 0 0 18 9h-1.26A8 8 0 1 0 3 16.3"></path><polyline
|
||||||
points="16 16 12 12 8 16"></polyline></svg
|
points="16 16 12 12 8 16"></polyline></svg
|
||||||
>
|
>
|
||||||
|
|
||||||
</button>
|
</button>
|
||||||
|
</Tooltip>
|
||||||
|
<Tooltip position="bottom" label="Delete" >
|
||||||
<button
|
<button
|
||||||
title="Delete"
|
|
||||||
disabled="{$application.publish.domain === '' ||
|
disabled="{$application.publish.domain === '' ||
|
||||||
$application.publish.domain === null ||
|
$application.publish.domain === null ||
|
||||||
$isActive('/application/new')}"
|
$isActive('/application/new')}"
|
||||||
@@ -143,9 +147,10 @@
|
|||||||
></path>
|
></path>
|
||||||
</svg>
|
</svg>
|
||||||
</button>
|
</button>
|
||||||
|
</Tooltip>
|
||||||
<div class="border border-warmGray-700 h-8"></div>
|
<div class="border border-warmGray-700 h-8"></div>
|
||||||
|
<Tooltip position="bottom" label="Logs" >
|
||||||
<button
|
<button
|
||||||
title="Logs"
|
|
||||||
class="icon"
|
class="icon"
|
||||||
class:text-warmGray-700="{$isActive('/application/new')}"
|
class:text-warmGray-700="{$isActive('/application/new')}"
|
||||||
disabled="{$isActive('/application/new')}"
|
disabled="{$isActive('/application/new')}"
|
||||||
@@ -178,8 +183,9 @@
|
|||||||
></path>
|
></path>
|
||||||
</svg>
|
</svg>
|
||||||
</button>
|
</button>
|
||||||
|
</Tooltip>
|
||||||
|
<Tooltip position="bottom-left" label="Configuration" >
|
||||||
<button
|
<button
|
||||||
title="Configuration"
|
|
||||||
class="icon hover:text-yellow-400"
|
class="icon hover:text-yellow-400"
|
||||||
disabled="{$isActive(`/application/new`)}"
|
disabled="{$isActive(`/application/new`)}"
|
||||||
class:text-yellow-400="{$isActive(
|
class:text-yellow-400="{$isActive(
|
||||||
@@ -208,6 +214,7 @@
|
|||||||
></path>
|
></path>
|
||||||
</svg>
|
</svg>
|
||||||
</button>
|
</button>
|
||||||
|
</Tooltip>
|
||||||
</nav>
|
</nav>
|
||||||
|
|
||||||
<div class="text-white">
|
<div class="text-white">
|
||||||
|
|||||||
@@ -2,12 +2,4 @@
|
|||||||
import Configuration from "../../components/Application/Configuration/Configuration.svelte";
|
import Configuration from "../../components/Application/Configuration/Configuration.svelte";
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
<div class="min-h-full text-white">
|
|
||||||
<div
|
|
||||||
class="py-5 text-left px-6 text-3xl tracking-tight font-bold flex items-center"
|
|
||||||
>
|
|
||||||
New Application
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<Configuration />
|
<Configuration />
|
||||||
|
|||||||
File diff suppressed because one or more lines are too long
@@ -43,7 +43,7 @@
|
|||||||
<p
|
<p
|
||||||
class="mt-1 pb-8 font-extrabold text-white text-5xl sm:tracking-tight lg:text-6xl text-center"
|
class="mt-1 pb-8 font-extrabold text-white text-5xl sm:tracking-tight lg:text-6xl text-center"
|
||||||
>
|
>
|
||||||
Coolify
|
<span class="border-gradient">Coolify</span>
|
||||||
</p>
|
</p>
|
||||||
<h2 class="text-2xl md:text-3xl font-extrabold text-white">
|
<h2 class="text-2xl md:text-3xl font-extrabold text-white">
|
||||||
An open-source, hassle-free, self-hostable<br />
|
An open-source, hassle-free, self-hostable<br />
|
||||||
|
|||||||
51
src/utils/templates.js
Normal file
51
src/utils/templates.js
Normal file
@@ -0,0 +1,51 @@
|
|||||||
|
const defaultBuildAndDeploy = {
|
||||||
|
installation: 'yarn install',
|
||||||
|
build: 'yarn build'
|
||||||
|
}
|
||||||
|
|
||||||
|
const templates = {
|
||||||
|
next: {
|
||||||
|
pack: 'nodejs',
|
||||||
|
...defaultBuildAndDeploy,
|
||||||
|
port: 3000,
|
||||||
|
name: 'Next.js'
|
||||||
|
},
|
||||||
|
nuxt: {
|
||||||
|
pack: 'nodejs',
|
||||||
|
...defaultBuildAndDeploy,
|
||||||
|
port: 8080,
|
||||||
|
name: 'Nuxt'
|
||||||
|
},
|
||||||
|
'react-scripts': {
|
||||||
|
pack: 'static',
|
||||||
|
...defaultBuildAndDeploy,
|
||||||
|
directory: 'build',
|
||||||
|
name: 'Create React'
|
||||||
|
},
|
||||||
|
'parcel-bundler': {
|
||||||
|
pack: 'static',
|
||||||
|
...defaultBuildAndDeploy,
|
||||||
|
directory: 'dist',
|
||||||
|
name: 'Parcel'
|
||||||
|
},
|
||||||
|
'vue-cli-service': {
|
||||||
|
pack: 'static',
|
||||||
|
...defaultBuildAndDeploy,
|
||||||
|
directory: 'dist',
|
||||||
|
name: 'Vue CLI'
|
||||||
|
},
|
||||||
|
gatsby: {
|
||||||
|
pack: 'static',
|
||||||
|
...defaultBuildAndDeploy,
|
||||||
|
directory: 'public',
|
||||||
|
name: 'Gatsby'
|
||||||
|
},
|
||||||
|
'preact-cli': {
|
||||||
|
pack: 'static',
|
||||||
|
...defaultBuildAndDeploy,
|
||||||
|
directory: 'build',
|
||||||
|
name: 'Preact CLI'
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export default templates
|
||||||
@@ -16,7 +16,7 @@ module.exports = {
|
|||||||
],
|
],
|
||||||
preserveHtmlElements: true,
|
preserveHtmlElements: true,
|
||||||
options: {
|
options: {
|
||||||
safelist: [/svelte-/, 'border-green-500', 'border-yellow-300', 'border-red-500'],
|
safelist: [/svelte-/, 'border-green-500', 'border-yellow-300', 'border-red-500', 'hover:border-green-500', 'hover:border-red-200', 'hover:bg-red-200'],
|
||||||
defaultExtractor: (content) => {
|
defaultExtractor: (content) => {
|
||||||
// WARNING: tailwindExtractor is internal tailwind api
|
// WARNING: tailwindExtractor is internal tailwind api
|
||||||
// if this breaks after a tailwind update, report to svite repo
|
// if this breaks after a tailwind update, report to svite repo
|
||||||
@@ -32,6 +32,15 @@ module.exports = {
|
|||||||
important: true,
|
important: true,
|
||||||
theme: {
|
theme: {
|
||||||
extend: {
|
extend: {
|
||||||
|
keyframes: {
|
||||||
|
wiggle: {
|
||||||
|
'0%, 100%': { transform: 'rotate(-3deg)' },
|
||||||
|
'50%': { transform: 'rotate(3deg)' }
|
||||||
|
}
|
||||||
|
},
|
||||||
|
animation: {
|
||||||
|
wiggle: 'wiggle 0.5s ease-in-out infinite'
|
||||||
|
},
|
||||||
fontFamily: {
|
fontFamily: {
|
||||||
sans: ['Montserrat', ...defaultTheme.fontFamily.sans]
|
sans: ['Montserrat', ...defaultTheme.fontFamily.sans]
|
||||||
},
|
},
|
||||||
|
|||||||
@@ -26,7 +26,8 @@ module.exports = {
|
|||||||
'@zerodevx/svelte-toast',
|
'@zerodevx/svelte-toast',
|
||||||
'mongodb-memory-server-core',
|
'mongodb-memory-server-core',
|
||||||
'unique-names-generator',
|
'unique-names-generator',
|
||||||
'generate-password'
|
'generate-password',
|
||||||
|
'@iarna/toml'
|
||||||
]
|
]
|
||||||
},
|
},
|
||||||
proxy: {
|
proxy: {
|
||||||
|
|||||||
Reference in New Issue
Block a user