You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
112 lines
2.4 KiB
112 lines
2.4 KiB
#!/usr/bin/env node
|
|
|
|
import fs from 'fs-promise';
|
|
import minimist from 'minimist';
|
|
import chalk from 'chalk';
|
|
import table from 'text-table';
|
|
import ms from 'ms';
|
|
import Now from '../lib';
|
|
import login from '../lib/login';
|
|
import * as cfg from '../lib/cfg';
|
|
import { handleError, error } from '../lib/error';
|
|
|
|
const argv = minimist(process.argv.slice(2));
|
|
const help = () => {
|
|
console.log(`
|
|
𝚫 now list [app]
|
|
|
|
Alias: ls
|
|
|
|
Options:
|
|
|
|
-h, --help output usage information
|
|
-d, --debug Debug mode [off]
|
|
`);
|
|
};
|
|
|
|
if (argv.h || argv.help) {
|
|
help();
|
|
process.exit(0);
|
|
}
|
|
|
|
const app = argv._[0];
|
|
|
|
// options
|
|
const debug = argv.debug || argv.d;
|
|
const apiUrl = argv.url || 'https://api.now.sh';
|
|
|
|
const config = cfg.read();
|
|
|
|
Promise.resolve(config.token || login(apiUrl))
|
|
.then(async (token) => {
|
|
try {
|
|
await list(token);
|
|
} catch (err) {
|
|
error(`Unknown error: ${err.stack}`);
|
|
process.exit(1);
|
|
}
|
|
})
|
|
.catch((e) => {
|
|
error(`Authentication error – ${e.message}`);
|
|
process.exit(1);
|
|
});
|
|
|
|
async function list (token) {
|
|
const now = new Now(apiUrl, token, { debug });
|
|
|
|
let deployments;
|
|
try {
|
|
deployments = await now.list(app);
|
|
} catch (err) {
|
|
handleError(err);
|
|
process.exit(1);
|
|
}
|
|
|
|
now.close();
|
|
|
|
const apps = new Map();
|
|
for (const dep of deployments) {
|
|
const deps = apps.get(dep.name) || [];
|
|
apps.set(dep.name, deps.concat(dep));
|
|
}
|
|
|
|
const sorted = await sort([...apps]);
|
|
|
|
const current = Date.now();
|
|
const text = sorted.map(([name, deps]) => {
|
|
const t = table(deps.map(({ uid, url, created }) => {
|
|
const time = chalk.gray(ms(current - created) + ' ago');
|
|
return [ uid, time, `https://${url}` ];
|
|
}), { align: ['l', 'r', 'l'], hsep: ' '.repeat(6) });
|
|
return chalk.bold(name) + '\n\n' + indent(t, 2);
|
|
}).join('\n\n');
|
|
|
|
if (text) console.log('\n' + text + '\n');
|
|
}
|
|
|
|
async function sort (apps) {
|
|
let pkg;
|
|
try {
|
|
const json = await fs.readFile('package.json');
|
|
pkg = JSON.parse(json);
|
|
} catch (err) {
|
|
pkg = {};
|
|
}
|
|
|
|
return apps
|
|
.map(([name, deps]) => {
|
|
deps = deps.slice().sort((a, b) => {
|
|
return b.created - a.created;
|
|
});
|
|
return [name, deps];
|
|
})
|
|
.sort(([nameA, depsA], [nameB, depsB]) => {
|
|
if (pkg.name === nameA) return -1;
|
|
if (pkg.name === nameB) return 1;
|
|
return depsB[0].created - depsA[0].created;
|
|
});
|
|
}
|
|
|
|
function indent (text, n) {
|
|
return text.split('\n').map((l) => ' '.repeat(n) + l).join('\n');
|
|
}
|
|
|