corepack/sources/pmmUtils.ts

183 lines
5.9 KiB
TypeScript

import {execFile, StdioOptions, spawn} from 'child_process';
import fs from 'fs';
import path from 'path';
import semver from 'semver';
import tar from 'tar';
import {promisify} from 'util';
import * as debugUtils from './debugUtils';
import * as folderUtils from './folderUtils';
import * as fsUtils from './fsUtils';
import * as httpUtils from './httpUtils';
import {Context} from './main';
import {TagSpec, Descriptor, Locator, PackageManagerSpec} from './types';
const execFileP = promisify(execFile);
const NL_REGEXP = /\n/;
const REFS_TAGS_REGEXP = /^[a-f0-9]+\trefs\/tags\/(.*)\^\{\}$/;
export async function fetchAvailableVersions(spec: TagSpec) {
switch (spec.type) {
case `npm`: {
const data = await httpUtils.fetchAsJson(`https://registry.npmjs.org/${spec.package}`, {headers: {[`Accept`]: `application/vnd.npm.install-v1+json`}});
return Object.keys(data.versions);
} break;
case `git`: {
const {stdout} = await execFileP(`git`, [`ls-remote`, `--tags`, spec.repository]);
const lines = stdout.split(NL_REGEXP);
const regexp = new RegExp(`^${spec.pattern.replace(`{}`, `(.*)`)}$`);
const results = [];
for (const line of lines) {
const lv1 = line.match(REFS_TAGS_REGEXP);
if (!lv1)
continue;
const lv2 = lv1[1].match(regexp);
if (!lv2)
continue;
results.push(lv2[1]);
}
return results;
} break;
default: {
throw new Error(`Unsupported specification ${JSON.stringify(spec)}`);
} break;
}
}
export async function findInstalledVersion(installTarget: string, descriptor: Descriptor) {
const installFolder = path.join(installTarget, descriptor.name);
let folderContent: Array<string>;
try {
folderContent = await fs.promises.readdir(installFolder);
} catch (error) {
if (error.code === `ENOENT`) {
folderContent = [];
} else {
throw error;
}
}
const candidateVersions: Array<string> = [];
for (const entry of folderContent) {
// Some dot-folders tend to pop inside directories, especially on OSX
if (entry.startsWith(`.`))
continue;
candidateVersions.push(entry);
}
const bestMatch = semver.maxSatisfying(candidateVersions, descriptor.range);
if (bestMatch === null)
return null;
return bestMatch;
}
export async function installVersion(installTarget: string, locator: Locator, {spec}: {spec: PackageManagerSpec}) {
const installFolder = path.join(installTarget, locator.name, locator.reference);
if (fs.existsSync(installFolder)) {
debugUtils.log(`Reusing ${locator.name}@${locator.reference}`);
return installFolder;
}
const url = spec.url.replace(`{}`, locator.reference);
debugUtils.log(`Installing ${locator.name}@${locator.reference} from ${url}`);
return await fsUtils.mutex(installFolder, async () => {
// Creating a temporary folder inside the install folder means that we
// are sure it'll be in the same drive as the destination, so we can
// just move it there atomically once we are done
const tmpFolder = folderUtils.getTemporaryFolder(installTarget);
const stream = await httpUtils.fetchUrlStream(url);
const parsedUrl = new URL(url);
const ext = path.posix.extname(parsedUrl.pathname);
let outputFile: string | null = null;
let sendTo: any;
if (ext === `.tgz`) {
sendTo = tar.x({strip: 1, cwd: tmpFolder});
} else if (ext === `.js`) {
outputFile = path.join(tmpFolder, path.posix.basename(parsedUrl.pathname));
sendTo = fs.createWriteStream(outputFile);
}
stream.pipe(sendTo);
await new Promise(resolve => {
sendTo.on(`finish`, resolve);
});
await fs.promises.mkdir(path.join(tmpFolder, `.bin`));
if (Array.isArray(spec.bin)) {
if (outputFile !== null) {
for (const name of spec.bin) {
await fsUtils.makeShim(path.join(tmpFolder, `.bin`, name), outputFile);
}
} else {
throw new Error(`Assertion failed`);
}
} else {
for (const [name, dest] of Object.entries(spec.bin)) {
fsUtils.makeShim(path.join(tmpFolder, `.bin`, name), path.join(tmpFolder, dest));
}
}
await fs.promises.mkdir(path.dirname(installFolder), {recursive: true});
await fs.promises.rename(tmpFolder, installFolder);
debugUtils.log(`Install finished`);
return installFolder;
});
}
export async function runVersion(installTarget: string, locator: Locator, binName: string, args: Array<string>, context: Context) {
const binPath = path.join(installTarget, `.bin`, binName);
return new Promise<number>((resolve, reject) => {
process.on(`SIGINT`, () => {
// We don't want to exit the process before the child, so we just
// ignore SIGINT and wait for the regular exit to happen (the child
// will receive SIGINT too since it's part of the same process grp)
});
const stdio: StdioOptions = [`pipe`, `pipe`, `pipe`];
if (context.stdin === process.stdin)
stdio[0] = `inherit`;
if (context.stdout === process.stdout)
stdio[1] = `inherit`;
if (context.stderr === process.stderr)
stdio[2] = `inherit`;
const sub = spawn(process.execPath, [binPath, ...args], {
cwd: context.cwd,
stdio,
});
if (context.stdin !== process.stdin)
context.stdin.pipe(sub.stdin!);
if (context.stdout !== process.stdout)
sub.stdout!.pipe(context.stdout);
if (context.stderr !== process.stderr)
sub.stderr!.pipe(context.stderr);
sub.on(`exit`, exitCode => {
resolve(exitCode !== null ? exitCode : 1);
});
});
}