diff --git a/.editorconfig b/.editorconfig new file mode 100644 index 0000000..e2696d6 --- /dev/null +++ b/.editorconfig @@ -0,0 +1,10 @@ +[*] +charset=utf-8 +end_of_line=lf +indent_style=space +indent_size=2 +max_line_length=79 + +[{.babelrc,.stylelintrc,jest.config,.eslintrc,*.bowerrc,*.jsb3,*.jsb2,*.json,*.js}] +indent_style=space +indent_size=2 diff --git a/README.md b/README.md index e7e7397..d4fa0f3 100644 --- a/README.md +++ b/README.md @@ -53,16 +53,26 @@ the `strawboss` executable. This is the configuration file for StrawBoss itself. The contents are expected to be a valid JSON object. The top level keys are: -* `buildDataDir`: A string denoting the path to the directory where StrawBoss - keeps metadata about builds it has performed and the artifacts resulting from - the builds. +* `buildDataDir`: *(optional)* A string denoting the path to the directory + where StrawBoss keeps metadata about builds it has performed and the + artifacts resulting from the builds. *(defaults to `build-data`)* -* `authSecret`: Secret key used to sign JWT session tokens. +* `authSecret`: *(required)* Secret key used to sign JWT session tokens. -* `users`: the array of user definition objects. Each user object is required +* `users`: *(required)* the array of user definition objects. Each user object is required to have `username` and `hashedPwd` keys, both string. -* `projects`: an array of project definitions (detailed below). +* `projects`: *(required)* an array of project definitions (detailed below). + +* `pwdCost`: *(required)* parameter to the user password hashing algorithm determining the + computational cost of the hash. + +* `maintenancePeriod`: *(optional)* how often, in milliseconds, should the + StrawBoss server perform maintenance (clear finished workers, etc). + *(defaults to `10000`, every 10 seconds)*. + +* `debug`: boolean, should debug behavior be enabled. This is primarily + intended for testing during StrawBoss development. *(defaults to `false`)* All are required. diff --git a/file-structure.txt b/file-structure.txt index 42738be..7f17439 100644 --- a/file-structure.txt +++ b/file-structure.txt @@ -8,7 +8,8 @@ build-data/ .stderr.log .status.json status/ - .json + / + .json artifacts/ / / diff --git a/src/main/nim/strawboss.nim b/src/main/nim/strawboss.nim index e3436ef..845605d 100644 --- a/src/main/nim/strawboss.nim +++ b/src/main/nim/strawboss.nim @@ -1,4 +1,4 @@ -import cliutils, docopt, os, sequtils, tempfile, uuids +import cliutils, docopt, os, sequtils, strutils, tempfile, uuids import strawbosspkg/configuration import strawbosspkg/core @@ -16,25 +16,13 @@ when isMainModule: let doc = """ Usage: strawboss serve [options] - strawboss run [options] + strawboss run strawboss hashpwd Options -c --config-file Use this config file instead of the default (strawboss.config.json). - - -f --force-rebuild Force a build step to re-run even we have cached - results from building that step before for this - version of the project. - - -r --reference Build the project at this commit reference. - - -i --run-id Use the given UUID as the run ID. If not given, a - new UUID is generated for this run. - - -w --workspace Use the given directory as the build workspace. - """ let args = docopt(doc, version = "strawboss v" & SB_VER) @@ -53,25 +41,24 @@ Options if args["run"]: - let wkspDir = if args["--workspace"]: $args["--workspace"] else: mkdtemp() + var req: RunRequest + try: req = loadRunRequest($args[""]) + except: + echo "strawboss: unable to parse run request (" & $args[""] & ")" + quit(QuitFailure) try: - let req = RunRequest( - id: if args["--run-id"]: parseUUID($args["--run-id"]) else: genUUID(), - projectName: $args[""], - stepName: $args[""], - buildRef: if args["--reference"]: $args["--reference"] else: nil, - forceRebuild: args["--force-rebuild"], - workspaceDir: wkspDir) + + if req.workspaceDir.isNilOrEmpty: req.workspaceDir = mkdtemp() let status = core.initiateRun(cfg, req, logProcOutput) - if status.state == "failed": raiseEx status.details + if status.state == BuildState.failed: raiseEx status.details echo "strawboss: build passed." except: echo "strawboss: build FAILED: " & getCurrentExceptionMsg() & "." quit(QuitFailure) finally: - if existsDir(wkspDir): removeDir(wkspDir) + if existsDir(req.workspaceDir): removeDir(req.workspaceDir) elif args["serve"]: server.start(cfg) diff --git a/src/main/nim/strawbosspkg/configuration.nim b/src/main/nim/strawbosspkg/configuration.nim index 52d21ca..02a77b5 100644 --- a/src/main/nim/strawbosspkg/configuration.nim +++ b/src/main/nim/strawbosspkg/configuration.nim @@ -1,13 +1,20 @@ -import cliutils, logging, json, os, nre, sequtils, strtabs, tables, times, uuids +import cliutils, logging, json, os, sequtils, strtabs, tables, times, uuids from langutils import sameContents from typeinfo import toAny +from strutils import parseEnum + +const ISO_TIME_FORMAT = "yyyy-MM-dd'T'HH:mm:sszzz" # Types # type + BuildState* {.pure.} = enum + queued, complete, failed, running, setup, rejected + BuildStatus* = object - runId*, state*, details*: string + runId*, details*: string + state*: BuildState Step* = object name*, stepCmd*, workingDir*: string @@ -24,10 +31,16 @@ type envVars*: StringTableRef RunRequest* = object - id*: UUID + runId*: UUID projectName*, stepName*, buildRef*, workspaceDir*: string + timestamp*: TimeInfo forceRebuild*: bool + Run* = object + id*: UUID + request*: RunRequest + status*: BuildStatus + User* = object name*: string hashedPwd*: string @@ -43,6 +56,7 @@ type projects*: seq[ProjectDef] pwdCost*: int8 users*: seq[UserRef] + maintenancePeriod*: int # Equality on custom types proc `==`*(a, b: UserRef): bool = result = a.name == b.name @@ -64,38 +78,23 @@ proc `==`*(a, b: StrawBossConfig): bool = a.buildDataDir == b.buildDataDir and a.authSecret == b.authSecret and a.pwdCost == b.pwdCost and + a.maintenancePeriod == b.maintenancePeriod and sameContents(a.users, b.users) and sameContents(a.projects, b.projects) proc `==`*(a, b: RunRequest): bool = result = - a.id == b.id and + a.runId == b.runId and a.projectName == b.projectName and a.stepName == b.stepName and a.buildRef == b.buildRef and + a.timestamp == b.timestamp and a.workspaceDir == b.workspaceDir and a.forceRebuild == b.forceRebuild -# Util methods on custom types -proc findProject*(cfg: StrawBossConfig, projectName: string): ProjectDef = - let candidates = cfg.projects.filterIt(it.name == projectName) - if candidates.len == 0: - raise newException(KeyError, "no project named " & projectName) - elif candidates.len > 1: - raise newException(KeyError, "multiple projects named " & projectName) - else: result = candidates[0] +# Useful utilities +proc filesMatching*(pat: string): seq[string] = toSeq(walkFiles(pat)) -proc setProject*(cfg: var StrawBossConfig, projectName: string, newDef: ProjectDef): void = - var found = false - for idx in 0.. 1: + raise newException(KeyError, "multiple projects named " & projectName) + else: result = candidates[0] + +proc setProject*(cfg: var StrawBossConfig, projectName: string, newDef: ProjectDef): void = + ## Add a project definition to the service configuration + var found = false + for idx in 0.. 0: for a in step.artifacts: let artifactPath = a.resolveEnvVars(wksp.env) let artifactName = artifactPath[(artifactPath.rfind("/")+1)..^1] try: - wksp.outputHandler.sendMsg "copy " & wksp.dir & - step.workingDir & "/" & artifactPath & " -> " & + wksp.sendMsg "copy " & + wksp.dir & "/" & step.workingDir & "/" & artifactPath & " -> " & wksp.artifactsDir & "/" & artifactName - copyFile(wksp.dir & step.workingDir & "/" & artifactPath, + copyFile(wksp.dir & "/" & step.workingDir & "/" & artifactPath, wksp.artifactsDir & "/" & artifactName) except: raiseEx "step " & step.name & " failed: unable to copy artifact " & artifactPath & ":\n" & getCurrentExceptionMsg() - wksp.publishStatus("complete", "") + wksp.publishStatus(BuildState.complete, "") proc initiateRun*(cfg: StrawBossConfig, req: RunRequest, outputHandler: HandleProcMsgCB = nil): BuildStatus = @@ -206,23 +317,23 @@ proc initiateRun*(cfg: StrawBossConfig, req: RunRequest, ## entrypoint to running a build step. result = BuildStatus( - runId: $req.id, - state: "setup", + runId: $req.runId, + state: BuildState.setup, details: "initializing build workspace") - discard emitStatus(result, nil, outputHandler) + outputHandler.sendStatusMsg(result) var wksp: Workspace try: # Find the project definition - let projectDef = cfg.findProject(req.projectName) + let projectDef = cfg.getProject(req.projectName) # Make sure the build data directories for this project exist. ensureProjectDirsExist(cfg, projectDef) # Update our run status let runDir = cfg.buildDataDir & "/" & projectDef.name & "/runs" - discard emitStatus(result, runDir & "/" & $req.id & ".status.json", nil) + writeFile(runDir & "/" & $req.runId & ".status.json", $result) # Read in the existing system environment var env = loadEnv() @@ -233,8 +344,8 @@ proc initiateRun*(cfg: StrawBossConfig, req: RunRequest, if not existsDir(req.workspaceDir): createDir(req.workspaceDir) # Setup our STDOUT and STDERR files - let stdoutFile = open(runDir & "/" & $req.id & ".stdout.log", fmWrite) - let stderrFile = open(runDir & "/" & $req.id & ".stderr.log", fmWrite) + let stdoutFile = open(runDir & "/" & $req.runId & ".stdout.log", fmWrite) + let stderrFile = open(runDir & "/" & $req.runId & ".stderr.log", fmWrite) let logFilesOH = makeProcMsgHandler(stdoutFile, stderrFile) @@ -252,21 +363,20 @@ proc initiateRun*(cfg: StrawBossConfig, req: RunRequest, projectDef: projectDef, runRequest: req, status: result, - statusFile: runDir & "/" & $req.id & ".status.json", step: Step(), version: nil) except: when not defined(release): echo getCurrentException().getStackTrace() - result = BuildStatus(runId: $req.id, state: "failed", + result = BuildStatus(runId: $req.runId, state: BuildState.failed, details: getCurrentExceptionMsg()) - try: discard emitStatus(result, nil, outputHandler) + try: outputHandler.sendStatusMsg(result) except: discard "" return try: # Clone the repo and setup the working environment - wksp.publishStatus("setup", + wksp.publishStatus(BuildState.setup, "cloning project repo and preparing to run '" & req.stepName & "'") wksp.setupProject() @@ -287,18 +397,20 @@ proc initiateRun*(cfg: StrawBossConfig, req: RunRequest, step.name & "/" & wksp.version # Have we tried to build this before and are we caching the results? - let statusFilePath = wksp.buildDataDir & "/status/" & wksp.version & ".json" + let statusFilePath = wksp.buildDataDir & "/status/" & step.name & + "/" & wksp.version & ".json" + if existsFile(statusFilePath) and not step.dontSkip: let prevStatus = loadBuildStatus(statusFilePath) # If we succeeded last time, no need to rebuild - if prevStatus.state == "complete": - wksp.outputHandler.sendMsg( - "Skipping step '" & step.name & "' for version '" & - wksp.version & "': already completed.") + if prevStatus.state == BuildState.complete: + wksp.publishStatus(BuildState.complete, + "Skipping step '" & step.name & "' for version '" & wksp.version & + "': already completed.") return prevStatus else: - wksp.outputHandler.sendMsg( + wksp.sendMsg( "Rebuilding failed step '" & step.name & "' for version '" & wksp.version & "'.") @@ -306,20 +418,17 @@ proc initiateRun*(cfg: StrawBossConfig, req: RunRequest, runStep(wksp, step) - # Record the results of this build as the status for this version. - writeFile(wksp.buildDataDir & "/status/" & wksp.version & ".json", $wksp.status) - result = wksp.status except: when not defined(release): echo getCurrentException().getStackTrace() let msg = getCurrentExceptionMsg() try: - wksp.publishStatus("failed", msg) + wksp.publishStatus(BuildState.failed, msg) result = wksp.status except: - result = BuildStatus(runId: $req.id, state: "failed", details: msg) - try: discard emitStatus(result, nil, outputHandler) + result = BuildStatus(runId: $req.runId, state: BuildState.failed, details: msg) + try: outputHandler.sendStatusMsg(result) except: discard "" finally: @@ -328,13 +437,14 @@ proc initiateRun*(cfg: StrawBossConfig, req: RunRequest, try: close(f) except: discard "" -proc spawnWorker*(cfg: StrawBossConfig, req: RunRequest): Worker = +proc spawnWorker*(cfg: StrawBossConfig, req: RunRequest): + tuple[status: BuildStatus, worker: Worker] = # Find the project definition (will throw appropriate exceptions) - let projectDef = cfg.findProject(req.projectName) + let projectDef = cfg.getProject(req.projectName) let runDir = cfg.buildDataDir & "/" & projectDef.name & "/runs" - let reqFile = runDir & "/" & $req.id & ".request.json" - let statusFile = runDir & "/" & $req.id & ".status.json" + let reqFile = runDir & "/" & $req.runId & ".request.json" + let statusFile = runDir & "/" & $req.runId & ".status.json" try: # Make sure the build data directories for this project exist. @@ -345,21 +455,25 @@ proc spawnWorker*(cfg: StrawBossConfig, req: RunRequest): Worker = # Write the initial build status (queued). let queuedStatus = BuildStatus( - runId: $req.id, - state: "queued", + runId: $req.runId, + state: BuildState.queued, details: "request queued for execution") writeFile(statusFile, $queuedStatus) var args = @["run", reqFile] debug "Launching worker: " & cfg.pathToExe & " " & args.join(" ") - result = Worker( - runId: req.id, + + let worker = Worker( + runId: req.runId, + projectName: projectDef.name, process: startProcess(cfg.pathToExe, ".", args, loadEnv(), {poUsePath})) + result = (queuedStatus, worker) + except: let exMsg = "run request rejected: " & getCurrentExceptionMsg() raiseEx exMsg try: writeFile(statusFile, - $(BuildStatus(runId: $req.id, state: "rejected", details: exMsg))) + $(BuildStatus(runId: $req.runId, state: BuildState.rejected, details: exMsg))) except: discard "" diff --git a/src/main/nim/strawbosspkg/server.nim b/src/main/nim/strawbosspkg/server.nim index 5d2a03b..58f006e 100644 --- a/src/main/nim/strawbosspkg/server.nim +++ b/src/main/nim/strawbosspkg/server.nim @@ -1,5 +1,5 @@ -import algorithm, asyncdispatch, bcrypt, cliutils, jester, json, jwt, logging, - options, os, osproc, sequtils, strutils, tempfile, times, unittest, uuids +import asyncdispatch, bcrypt, cliutils, jester, json, jwt, logging, + os, osproc, sequtils, strutils, tempfile, times, unittest, uuids import ./configuration, ./core @@ -10,7 +10,6 @@ type #const ISO_TIME_FORMAT = "yyyy-MM-dd'T'HH:mm:ss" const JSON = "application/json" -const CLEANUP_PERIOD_MS = 1000 proc makeJsonResp(status: HttpCode, details: string = ""): string = result = $(%* { @@ -109,24 +108,11 @@ template checkAuth() = debug "Auth failed: " & getCurrentExceptionMsg() resp(Http401, makeJsonResp(Http401), JSON) -proc performMaintenance(cfg: StrawBossConfig): void = - # Prune workers - workers = workers.filterIt(it.running()) - - let fut = sleepAsync(CLEANUP_PERIOD_MS) - fut.callback = - proc(): void = - callSoon(proc(): void = performMaintenance(cfg)) - - proc start*(cfg: StrawBossConfig): void = var stopFuture = newFuture[void]() var workers: seq[Worker] = @[] - # TODO: add recurring clean-up down to clear completed workers from the - # workers queu and kick off pending requests as worker slots free up. - settings: port = Port(8180) appName = "/api" @@ -168,56 +154,6 @@ proc start*(cfg: StrawBossConfig): void = # TODO resp(Http501, makeJsonResp(Http501), JSON) - get "/project/@projectName/versions": - ## Get a list of all versions that we have built - - checkAuth(); if not authed: return true - - # Make sure we know about that project - var project: ProjectDef - try: project = cfg.findProject(@"projectName") - except: resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) - - var versions: seq[string] = listVersions(cfg, project) - - resp($(%(versions)), JSON) - - get "/project/@projectName/version/@version?": - ## Get a detailed project record including step definitions (ProjectConfig). - - checkAuth(); if not authed: return true - - # Make sure we know about that project - var project: ProjectDef - try: project = cfg.findProject(@"projectName") - except: resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) - - # Given version - var cachedFilePath: string - if @"version" != "": - cachedFilePath = cfg.buildDataDir & "/" & project.name & - "/configurations/" & @"version" & ".json" - - if not existsFile(cachedFilePath): - resp(Http404, - makeJsonResp(Http404, "I have never built version " & @"version"), - JSON) - - # No version requested, use "latest" - else: - let confFilePaths = toSeq(walkFiles(cfg.buildDataDir & "/" & project.name & "/configurations/*.json")) - if confFilePaths.len == 0: - resp(Http404, makeJsonResp(Http404, "I have not built any versions of " & project.name), JSON) - let modTimes = confFilePaths.mapIt(it.getLastModificationTime) - cachedFilePath = sorted(zip(confFilePaths, modTimes), - proc (a, b: tuple): int = cmp(a.b, b.b))[0].a - - try: resp(readFile(cachedFilePath), JSON) - except: - debug "Could not serve cached project configuration at: " & - cachedFilePath & "\n\t Reason: " & getCurrentExceptionMsg() - resp(Http500, makeJsonResp(Http500, "could not read cached project configuration"), JSON) - get "/project/@projectName": ## Return a project's configuration, as well as it's versions. @@ -225,46 +161,85 @@ proc start*(cfg: StrawBossConfig): void = # Make sure we know about that project var projDef: ProjectDef - try: projDef = cfg.findProject(@"projectName") + try: projDef = cfg.getProject(@"projectName") except: resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) + var projConf: ProjectConfig + try: projConf = getProjectConfig(cfg, @"projectName", "") + except: discard "" + let respJson = newJObject() respJson["definition"] = %projDef - respJson["versions"] = %listVersions(cfg, projDef) + respJson["versions"] = %listVersions(cfg, @"projectName") + if not projConf.name.isNil: + respJson["latestConfig"] = %projConf resp(pretty(respJson), JSON) + get "/project/@projectName/versions": + ## Get a list of all versions that we have built + + checkAuth(); if not authed: return true + + try: resp($(%listVersions(cfg, @"projectName")), JSON) + except: + if getCurrentException() is KeyError: + resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) + else: + when not defined(release): debug getCurrentException().getStackTrace() + error "unable to list versions for project " & @"projectName" & + ":\n" & getCurrentExceptionMsg() + resp(Http500, makeJsonResp(Http500, "internal server error"), JSON) + + get "/project/@projectName/version/@version?": + ## Get a detailed project record including step definitions (ProjectConfig). + + checkAuth(); if not authed: return true + + # Make sure we know about that project + try: resp($(%getProjectConfig(cfg, @"projectName", @"version")), JSON) + except: resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) + get "/project/@projectName/runs": ## List all runs checkAuth(); if not authed: return true - # Make sure we know about that project - var project: ProjectDef - try: project = cfg.findProject(@"projectName") + try: resp($(%listRuns(cfg, @"projectName")), JSON) except: resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) - let runRequests = listRuns(cfg, project) - - resp($runRequests, JSON) - get "/project/@projectName/runs/active": ## List all currently active runs checkAuth(); if not authed: return true - #let statusFiles = workers.mapIt(it.workingDir & "/status.json") - #let statuses = statusFiles.mapIt(loadBuildStatus(it)).filterIt(it.state != "completed" && it.) - #resp($(%statuses), JSON) - resp(Http501, makeJsonResp(Http501), JSON) + try: + let activeRuns = workers + .filterIt(it.process.running and it.projectName == @"projectName") + .mapIt(cfg.getRun(@"projecName", $it.runId)); + resp($(%activeRuns), JSON) + except: + if getCurrentException() is KeyError: + resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) + else: + when not defined(release): debug getCurrentException().getStackTrace() + error "problem loading active runs: " & getCurrentExceptionMsg() + resp(Http500, makeJsonResp(Http500, "internal server error"), JSON) - get "/project/@projectName/runs/@runId": + get "/project/@projectName/run/@runId": ## Details for a specific run checkAuth(); if not authed: return true - # TODO - resp(Http501, makeJsonResp(Http501), JSON) + # Make sure we know about that project + try: discard cfg.getProject(@"projectName") + except: resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) + + if not existsRun(cfg, @"projectName", @"runId"): + resp(Http404, makeJsonResp(Http404, "no such run for project"), JSON) + + try: resp($getRun(cfg, @"projectName", @"runId"), JSON) + except: resp(Http500, makeJsonResp(Http500, getCurrentExceptionMsg()), JSON) get "/project/@projectName/step/@stepName": ## Get step details including runs. @@ -274,13 +249,13 @@ proc start*(cfg: StrawBossConfig): void = # TODO resp(Http501, makeJsonResp(Http501), JSON) - get "/project/@projectName/step/@stepName/run/@buildRef": - ## Get detailed information about a run + get "/project/@projectName/step/@stepName/status/@buildRef": + ## Get detailed information about the status of a step (assuming it has been built) checkAuth(); if not authed: return true - # TODO - resp(Http501, makeJsonResp(Http501), JSON) + try: resp($cfg.getBuildStatus(@"projectName", @"stepName", @"buildRef"), JSON) + except: resp(Http404, makeJsonResp(Http404, getCurrentExceptionMsg()), JSON) post "/project/@projectName/step/@stepName/run/@buildRef?": # Kick off a run @@ -288,22 +263,23 @@ proc start*(cfg: StrawBossConfig): void = checkAuth(); if not authed: return true let runRequest = RunRequest( - id: genUUID(), + runId: genUUID(), projectName: @"projectName", stepName: @"stepName", buildRef: if @"buildRef" != "": @"buildRef" else: nil, + timestamp: getLocalTime(getTime()), forceRebuild: false) # TODO support this with optional query params # TODO: instead of immediately spawning a worker, add the request to a # queue to be picked up by a worker. Allows capping the number of worker # prcesses, distributing, etc. - let worker = spawnWorker(cfg, runRequest) + let (status, worker) = spawnWorker(cfg, runRequest) workers.add(worker) - resp($(%*{ - "runRequest": runRequest, - "status": { "state": "accepted", "details": "Run request has been queued." } - })) + resp($Run( + id: runRequest.runId, + request: runRequest, + status: status), JSON) post "/service/debug/stop": if not cfg.debug: resp(Http404, makeJsonResp(Http404), JSON) @@ -312,13 +288,27 @@ proc start*(cfg: StrawBossConfig): void = shutdownFut.callback = proc(): void = complete(stopFuture) resp($(%"shutting down"), JSON) - #[ + #[ get re".*": resp(Http404, makeJsonResp(Http404), JSON) post re".*": resp(Http404, makeJsonResp(Http404), JSON) - ]# + ]# + + proc performMaintenance(cfg: StrawBossConfig): void = + # Prune workers + workers = workers.filterIt(it.process.running()) + debug "Performing maintanance: " & $len(workers) & " active workers after pruning." + + let fut = sleepAsync(cfg.maintenancePeriod) + fut.callback = + proc(): void = + callSoon(proc(): void = performMaintenance(cfg)) + + + info "StrawBoss is bossing people around." + #debug "configuration:\n\n" & $cfg & "\n\n" callSoon(proc(): void = performMaintenance(cfg)) waitFor(stopFuture) diff --git a/src/test/nim/functional/tcore.nim b/src/test/nim/functional/tcore.nim new file mode 100644 index 0000000..4d35e3e --- /dev/null +++ b/src/test/nim/functional/tcore.nim @@ -0,0 +1,7 @@ +import unittest + +from langutils import sameContents + +import ../testutil +import ../../../main/nim/strawbosspkg/configuration + diff --git a/strawboss.config.json b/strawboss.config.json index 3f25516..e2cf914 100644 --- a/strawboss.config.json +++ b/strawboss.config.json @@ -1,9 +1,10 @@ { - "artifactsRepo": "artifacts", + "buildDataDir": "build-data", "debug": true, "users": [], "authSecret": "change me", "pwdCost": 11, + "maintenancePeriod": 5000, "projects": [ { "name": "new-life-intro-band", "repo": "/home/jdb/projects/new-life-introductory-band" }, diff --git a/strawboss.nimble b/strawboss.nimble index 1d3d52b..ecacaa5 100644 --- a/strawboss.nimble +++ b/strawboss.nimble @@ -14,7 +14,7 @@ requires @["nim >= 0.16.1", "docopt >= 0.6.5", "isaac >= 0.1.2", "tempfile", "je requires "https://github.com/yglukhov/nim-jwt" requires "https://git.jdb-labs.com/jdb/nim-lang-utils.git" -requires "https://git.jdb-labs.com/jdb/nim-cli-utils.git" +requires "https://git.jdb-labs.com/jdb/nim-cli-utils.git >= 0.3.1" # Tasks #