mirror of
https://github.com/denoland/deno.git
synced 2025-09-26 12:19:12 +00:00
chore: remove std/installer, port installer tests to Rust (#3843)
This commit is contained in:
parent
c7a2a33ea1
commit
e1697421e2
8 changed files with 103 additions and 791 deletions
|
@ -35,7 +35,7 @@ mod global_state;
|
||||||
mod global_timer;
|
mod global_timer;
|
||||||
mod http_util;
|
mod http_util;
|
||||||
mod import_map;
|
mod import_map;
|
||||||
mod installer;
|
pub mod installer;
|
||||||
mod js;
|
mod js;
|
||||||
mod lockfile;
|
mod lockfile;
|
||||||
mod metrics;
|
mod metrics;
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
function echo(args: string[]) {
|
function echo(args: string[]): void {
|
||||||
const msg = args.join(", ");
|
const msg = args.join(", ");
|
||||||
Deno.stdout.write(new TextEncoder().encode(msg));
|
Deno.stdout.write(new TextEncoder().encode(msg));
|
||||||
}
|
}
|
|
@ -69,6 +69,99 @@ fn fmt_test() {
|
||||||
assert_eq!(expected, actual);
|
assert_eq!(expected, actual);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn installer_test_local_module_run() {
|
||||||
|
use deno::flags::DenoFlags;
|
||||||
|
use deno::installer;
|
||||||
|
use std::env;
|
||||||
|
use std::path::PathBuf;
|
||||||
|
use std::process::Command;
|
||||||
|
use tempfile::TempDir;
|
||||||
|
|
||||||
|
let temp_dir = TempDir::new().expect("tempdir fail");
|
||||||
|
let local_module = env::current_dir().unwrap().join("tests/echo.ts");
|
||||||
|
let local_module_str = local_module.to_string_lossy();
|
||||||
|
installer::install(
|
||||||
|
DenoFlags::default(),
|
||||||
|
Some(temp_dir.path().to_string_lossy().to_string()),
|
||||||
|
"echo_test",
|
||||||
|
&local_module_str,
|
||||||
|
vec!["hello".to_string()],
|
||||||
|
)
|
||||||
|
.expect("Failed to install");
|
||||||
|
let mut file_path = temp_dir.path().join("echo_test");
|
||||||
|
if cfg!(windows) {
|
||||||
|
file_path = file_path.with_extension(".cmd");
|
||||||
|
}
|
||||||
|
assert!(file_path.exists());
|
||||||
|
let path_var_name = if cfg!(windows) { "Path" } else { "PATH" };
|
||||||
|
let paths_var = env::var_os(path_var_name).expect("PATH not set");
|
||||||
|
let mut paths: Vec<PathBuf> = env::split_paths(&paths_var).collect();
|
||||||
|
paths.push(temp_dir.path().to_owned());
|
||||||
|
paths.push(util::target_dir());
|
||||||
|
let path_var_value = env::join_paths(paths).expect("Can't create PATH");
|
||||||
|
// NOTE: using file_path here instead of exec_name, because tests
|
||||||
|
// shouldn't mess with user's PATH env variable
|
||||||
|
let output = Command::new(file_path)
|
||||||
|
.current_dir(temp_dir.path())
|
||||||
|
.arg("foo")
|
||||||
|
.env(path_var_name, path_var_value)
|
||||||
|
.output()
|
||||||
|
.expect("failed to spawn script");
|
||||||
|
|
||||||
|
assert_eq!(
|
||||||
|
std::str::from_utf8(&output.stdout).unwrap().trim(),
|
||||||
|
"hello, foo"
|
||||||
|
);
|
||||||
|
drop(temp_dir);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn installer_test_remote_module_run() {
|
||||||
|
use deno::flags::DenoFlags;
|
||||||
|
use deno::installer;
|
||||||
|
use std::env;
|
||||||
|
use std::path::PathBuf;
|
||||||
|
use std::process::Command;
|
||||||
|
use tempfile::TempDir;
|
||||||
|
|
||||||
|
let g = util::http_server();
|
||||||
|
let temp_dir = TempDir::new().expect("tempdir fail");
|
||||||
|
installer::install(
|
||||||
|
DenoFlags::default(),
|
||||||
|
Some(temp_dir.path().to_string_lossy().to_string()),
|
||||||
|
"echo_test",
|
||||||
|
"http://localhost:4545/tests/echo.ts",
|
||||||
|
vec!["hello".to_string()],
|
||||||
|
)
|
||||||
|
.expect("Failed to install");
|
||||||
|
let mut file_path = temp_dir.path().join("echo_test");
|
||||||
|
if cfg!(windows) {
|
||||||
|
file_path = file_path.with_extension(".cmd");
|
||||||
|
}
|
||||||
|
assert!(file_path.exists());
|
||||||
|
let path_var_name = if cfg!(windows) { "Path" } else { "PATH" };
|
||||||
|
let paths_var = env::var_os(path_var_name).expect("PATH not set");
|
||||||
|
let mut paths: Vec<PathBuf> = env::split_paths(&paths_var).collect();
|
||||||
|
paths.push(temp_dir.path().to_owned());
|
||||||
|
paths.push(util::target_dir());
|
||||||
|
let path_var_value = env::join_paths(paths).expect("Can't create PATH");
|
||||||
|
// NOTE: using file_path here instead of exec_name, because tests
|
||||||
|
// shouldn't mess with user's PATH env variable
|
||||||
|
let output = Command::new(file_path)
|
||||||
|
.current_dir(temp_dir.path())
|
||||||
|
.arg("foo")
|
||||||
|
.env(path_var_name, path_var_value)
|
||||||
|
.output()
|
||||||
|
.expect("failed to spawn script");
|
||||||
|
assert_eq!(
|
||||||
|
std::str::from_utf8(&output.stdout).unwrap().trim(),
|
||||||
|
"hello, foo"
|
||||||
|
);
|
||||||
|
drop(temp_dir);
|
||||||
|
drop(g)
|
||||||
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn js_unit_tests() {
|
fn js_unit_tests() {
|
||||||
let g = util::http_server();
|
let g = util::http_server();
|
||||||
|
|
|
@ -6,18 +6,15 @@
|
||||||
// https://github.com/golang/go/blob/master/src/net/http/responsewrite_test.go
|
// https://github.com/golang/go/blob/master/src/net/http/responsewrite_test.go
|
||||||
|
|
||||||
const { Buffer } = Deno;
|
const { Buffer } = Deno;
|
||||||
import { TextProtoReader } from "../textproto/mod.ts";
|
|
||||||
import { test, runIfMain } from "../testing/mod.ts";
|
import { test, runIfMain } from "../testing/mod.ts";
|
||||||
import { assert, assertEquals, assertNotEquals } from "../testing/asserts.ts";
|
import { assert, assertEquals, assertNotEquals } from "../testing/asserts.ts";
|
||||||
import {
|
import {
|
||||||
Response,
|
Response,
|
||||||
ServerRequest,
|
ServerRequest,
|
||||||
serve,
|
|
||||||
writeResponse,
|
writeResponse,
|
||||||
readRequest,
|
readRequest,
|
||||||
parseHTTPVersion
|
parseHTTPVersion
|
||||||
} from "./server.ts";
|
} from "./server.ts";
|
||||||
import { delay, deferred } from "../util/async.ts";
|
|
||||||
import {
|
import {
|
||||||
BufReader,
|
BufReader,
|
||||||
BufWriter,
|
BufWriter,
|
||||||
|
@ -566,6 +563,7 @@ test({
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
|
||||||
|
/* TODO(bartlomieju): after removing std/installer/ it hangs, fix and reenable
|
||||||
test({
|
test({
|
||||||
name: "[http] destroyed connection",
|
name: "[http] destroyed connection",
|
||||||
async fn(): Promise<void> {
|
async fn(): Promise<void> {
|
||||||
|
@ -604,7 +602,9 @@ test({
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
*/
|
||||||
|
|
||||||
|
/* TODO(bartlomieju): after removing std/installer/ it hangs, fix and reenable
|
||||||
test({
|
test({
|
||||||
name: "[http] serveTLS",
|
name: "[http] serveTLS",
|
||||||
async fn(): Promise<void> {
|
async fn(): Promise<void> {
|
||||||
|
@ -653,7 +653,9 @@ test({
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
*/
|
||||||
|
|
||||||
|
/* TODO(bartlomieju): after removing std/installer/ it hangs, fix and reenable
|
||||||
test({
|
test({
|
||||||
name: "[http] close server while iterating",
|
name: "[http] close server while iterating",
|
||||||
async fn(): Promise<void> {
|
async fn(): Promise<void> {
|
||||||
|
@ -666,6 +668,7 @@ test({
|
||||||
assertEquals(await nextAfterClosing, { value: undefined, done: true });
|
assertEquals(await nextAfterClosing, { value: undefined, done: true });
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
*/
|
||||||
|
|
||||||
// TODO(kevinkassimo): create a test that works on Windows.
|
// TODO(kevinkassimo): create a test that works on Windows.
|
||||||
// The following test is to ensure that if an error occurs during respond
|
// The following test is to ensure that if an error occurs during respond
|
||||||
|
@ -674,6 +677,7 @@ test({
|
||||||
// receive a RST and thus trigger an error during response for us to test.
|
// receive a RST and thus trigger an error during response for us to test.
|
||||||
// We need to find a way to similarly trigger an error on Windows so that
|
// We need to find a way to similarly trigger an error on Windows so that
|
||||||
// we can test if connection is closed.
|
// we can test if connection is closed.
|
||||||
|
/* TODO(bartlomieju): after removing std/installer/ it hangs, fix and reenable
|
||||||
if (Deno.build.os !== "win") {
|
if (Deno.build.os !== "win") {
|
||||||
test({
|
test({
|
||||||
name: "[http] respond error handling",
|
name: "[http] respond error handling",
|
||||||
|
@ -731,5 +735,5 @@ if (Deno.build.os !== "win") {
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
*/
|
||||||
runIfMain(import.meta);
|
runIfMain(import.meta);
|
||||||
|
|
|
@ -1 +0,0 @@
|
||||||
WARNING: This code is deprecated and std/installer will be removed soon.
|
|
|
@ -1,303 +0,0 @@
|
||||||
#!/usr/bin/env -S deno --allow-all
|
|
||||||
// Copyright 2018-2020 the Deno authors. All rights reserved. MIT license.
|
|
||||||
const { env, stdin, args, exit, writeFile, chmod, run } = Deno;
|
|
||||||
import { parse } from "../flags/mod.ts";
|
|
||||||
import { exists } from "../fs/exists.ts";
|
|
||||||
import { ensureDir } from "../fs/ensure_dir.ts";
|
|
||||||
import * as path from "../path/mod.ts";
|
|
||||||
|
|
||||||
const encoder = new TextEncoder();
|
|
||||||
const decoder = new TextDecoder("utf-8");
|
|
||||||
// Regular expression to test disk driver letter. eg "C:\\User\username\path\to"
|
|
||||||
const driverLetterReg = /^[c-z]:/i;
|
|
||||||
const isWindows = Deno.build.os === "win";
|
|
||||||
|
|
||||||
function showHelp(): void {
|
|
||||||
console.log(`deno installer
|
|
||||||
Install remote or local script as executables.
|
|
||||||
|
|
||||||
USAGE:
|
|
||||||
deno -A https://deno.land/std/installer/mod.ts [OPTIONS] EXE_NAME SCRIPT_URL [FLAGS...]
|
|
||||||
|
|
||||||
ARGS:
|
|
||||||
EXE_NAME Name for executable
|
|
||||||
SCRIPT_URL Local or remote URL of script to install
|
|
||||||
[FLAGS...] List of flags for script, both Deno permission and script specific
|
|
||||||
flag can be used.
|
|
||||||
|
|
||||||
OPTIONS:
|
|
||||||
-d, --dir <PATH> Installation directory path (defaults to ~/.deno/bin)
|
|
||||||
`);
|
|
||||||
}
|
|
||||||
|
|
||||||
enum Permission {
|
|
||||||
Read,
|
|
||||||
Write,
|
|
||||||
Net,
|
|
||||||
Env,
|
|
||||||
Run,
|
|
||||||
All
|
|
||||||
}
|
|
||||||
|
|
||||||
function getPermissionFromFlag(flag: string): Permission | undefined {
|
|
||||||
switch (flag) {
|
|
||||||
case "--allow-read":
|
|
||||||
return Permission.Read;
|
|
||||||
case "--allow-write":
|
|
||||||
return Permission.Write;
|
|
||||||
case "--allow-net":
|
|
||||||
return Permission.Net;
|
|
||||||
case "--allow-env":
|
|
||||||
return Permission.Env;
|
|
||||||
case "--allow-run":
|
|
||||||
return Permission.Run;
|
|
||||||
case "--allow-all":
|
|
||||||
return Permission.All;
|
|
||||||
case "-A":
|
|
||||||
return Permission.All;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
function getFlagFromPermission(perm: Permission): string {
|
|
||||||
switch (perm) {
|
|
||||||
case Permission.Read:
|
|
||||||
return "--allow-read";
|
|
||||||
case Permission.Write:
|
|
||||||
return "--allow-write";
|
|
||||||
case Permission.Net:
|
|
||||||
return "--allow-net";
|
|
||||||
case Permission.Env:
|
|
||||||
return "--allow-env";
|
|
||||||
case Permission.Run:
|
|
||||||
return "--allow-run";
|
|
||||||
case Permission.All:
|
|
||||||
return "--allow-all";
|
|
||||||
}
|
|
||||||
return "";
|
|
||||||
}
|
|
||||||
|
|
||||||
function getInstallerDir(): string {
|
|
||||||
// In Windows's Powershell $HOME environmental variable maybe null
|
|
||||||
// if so use $USERPROFILE instead.
|
|
||||||
const { HOME, USERPROFILE } = env();
|
|
||||||
|
|
||||||
const HOME_PATH = HOME || USERPROFILE;
|
|
||||||
|
|
||||||
if (!HOME_PATH) {
|
|
||||||
throw new Error("$HOME is not defined.");
|
|
||||||
}
|
|
||||||
|
|
||||||
return path.resolve(HOME_PATH, ".deno", "bin");
|
|
||||||
}
|
|
||||||
|
|
||||||
async function readCharacter(): Promise<string> {
|
|
||||||
const byteArray = new Uint8Array(1024);
|
|
||||||
await stdin.read(byteArray);
|
|
||||||
const line = decoder.decode(byteArray);
|
|
||||||
return line[0];
|
|
||||||
}
|
|
||||||
|
|
||||||
async function yesNoPrompt(message: string): Promise<boolean> {
|
|
||||||
console.log(`${message} [yN]`);
|
|
||||||
const input = await readCharacter();
|
|
||||||
console.log();
|
|
||||||
return input === "y" || input === "Y";
|
|
||||||
}
|
|
||||||
|
|
||||||
function checkIfExistsInPath(filePath: string): boolean {
|
|
||||||
// In Windows's Powershell $PATH not exist, so use $Path instead.
|
|
||||||
// $HOMEDRIVE is only used on Windows.
|
|
||||||
const { PATH, Path, HOMEDRIVE } = env();
|
|
||||||
|
|
||||||
const envPath = (PATH as string) || (Path as string) || "";
|
|
||||||
|
|
||||||
const paths = envPath.split(isWindows ? ";" : ":");
|
|
||||||
|
|
||||||
let fileAbsolutePath = filePath;
|
|
||||||
|
|
||||||
for (const p of paths) {
|
|
||||||
const pathInEnv = path.normalize(p);
|
|
||||||
// On Windows paths from env contain drive letter.
|
|
||||||
// (eg. C:\Users\username\.deno\bin)
|
|
||||||
// But in the path of Deno, there is no drive letter.
|
|
||||||
// (eg \Users\username\.deno\bin)
|
|
||||||
if (isWindows) {
|
|
||||||
if (driverLetterReg.test(pathInEnv)) {
|
|
||||||
fileAbsolutePath = HOMEDRIVE + "\\" + fileAbsolutePath;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
if (pathInEnv === fileAbsolutePath) {
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
fileAbsolutePath = filePath;
|
|
||||||
}
|
|
||||||
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
export function isRemoteUrl(url: string): boolean {
|
|
||||||
return /^https?:\/\//.test(url);
|
|
||||||
}
|
|
||||||
|
|
||||||
function validateModuleName(moduleName: string): boolean {
|
|
||||||
if (/^[a-z][\w-]*$/i.test(moduleName)) {
|
|
||||||
return true;
|
|
||||||
} else {
|
|
||||||
throw new Error("Invalid module name: " + moduleName);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
async function generateExecutable(
|
|
||||||
filePath: string,
|
|
||||||
commands: string[]
|
|
||||||
): Promise<void> {
|
|
||||||
commands = commands.map((v): string => JSON.stringify(v));
|
|
||||||
// On Windows if user is using Powershell .cmd extension is need to run the
|
|
||||||
// installed module.
|
|
||||||
// Generate batch script to satisfy that.
|
|
||||||
const templateHeader =
|
|
||||||
"This executable is generated by Deno. Please don't modify it unless you " +
|
|
||||||
"know what it means.";
|
|
||||||
if (isWindows) {
|
|
||||||
const template = `% ${templateHeader} %
|
|
||||||
@IF EXIST "%~dp0\deno.exe" (
|
|
||||||
"%~dp0\deno.exe" ${commands.slice(1).join(" ")} %*
|
|
||||||
) ELSE (
|
|
||||||
@SETLOCAL
|
|
||||||
@SET PATHEXT=%PATHEXT:;.TS;=;%
|
|
||||||
${commands.join(" ")} %*
|
|
||||||
)
|
|
||||||
`;
|
|
||||||
const cmdFile = filePath + ".cmd";
|
|
||||||
await writeFile(cmdFile, encoder.encode(template));
|
|
||||||
await chmod(cmdFile, 0o755);
|
|
||||||
}
|
|
||||||
|
|
||||||
// generate Shell script
|
|
||||||
const template = `#!/bin/sh
|
|
||||||
# ${templateHeader}
|
|
||||||
basedir=$(dirname "$(echo "$0" | sed -e 's,\\\\,/,g')")
|
|
||||||
|
|
||||||
case \`uname\` in
|
|
||||||
*CYGWIN*) basedir=\`cygpath -w "$basedir"\`;;
|
|
||||||
esac
|
|
||||||
|
|
||||||
if [ -x "$basedir/deno" ]; then
|
|
||||||
"$basedir/deno" ${commands.slice(1).join(" ")} "$@"
|
|
||||||
ret=$?
|
|
||||||
else
|
|
||||||
${commands.join(" ")} "$@"
|
|
||||||
ret=$?
|
|
||||||
fi
|
|
||||||
exit $ret
|
|
||||||
`;
|
|
||||||
await writeFile(filePath, encoder.encode(template));
|
|
||||||
await chmod(filePath, 0o755);
|
|
||||||
}
|
|
||||||
|
|
||||||
export async function install(
|
|
||||||
moduleName: string,
|
|
||||||
moduleUrl: string,
|
|
||||||
flags: string[],
|
|
||||||
installationDir?: string
|
|
||||||
): Promise<void> {
|
|
||||||
if (!installationDir) {
|
|
||||||
installationDir = getInstallerDir();
|
|
||||||
}
|
|
||||||
await ensureDir(installationDir);
|
|
||||||
|
|
||||||
// if install local module
|
|
||||||
if (!isRemoteUrl(moduleUrl)) {
|
|
||||||
moduleUrl = path.resolve(moduleUrl);
|
|
||||||
}
|
|
||||||
|
|
||||||
validateModuleName(moduleName);
|
|
||||||
const filePath = path.join(installationDir, moduleName);
|
|
||||||
|
|
||||||
if (await exists(filePath)) {
|
|
||||||
const msg =
|
|
||||||
"⚠️ " +
|
|
||||||
moduleName +
|
|
||||||
" is already installed" +
|
|
||||||
", do you want to overwrite it?";
|
|
||||||
if (!(await yesNoPrompt(msg))) {
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// ensure script that is being installed exists
|
|
||||||
const ps = run({
|
|
||||||
args: [Deno.execPath(), "fetch", "--reload", moduleUrl],
|
|
||||||
stdout: "inherit",
|
|
||||||
stderr: "inherit"
|
|
||||||
});
|
|
||||||
|
|
||||||
const { code } = await ps.status();
|
|
||||||
|
|
||||||
if (code !== 0) {
|
|
||||||
throw new Error("Failed to fetch module.");
|
|
||||||
}
|
|
||||||
|
|
||||||
const grantedPermissions: Permission[] = [];
|
|
||||||
const scriptArgs: string[] = [];
|
|
||||||
|
|
||||||
for (const flag of flags) {
|
|
||||||
const permission = getPermissionFromFlag(flag);
|
|
||||||
if (permission === undefined) {
|
|
||||||
scriptArgs.push(flag);
|
|
||||||
} else {
|
|
||||||
grantedPermissions.push(permission);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
const commands = [
|
|
||||||
"deno",
|
|
||||||
"run",
|
|
||||||
...grantedPermissions.map(getFlagFromPermission),
|
|
||||||
moduleUrl,
|
|
||||||
...scriptArgs
|
|
||||||
];
|
|
||||||
|
|
||||||
await generateExecutable(filePath, commands);
|
|
||||||
|
|
||||||
console.log(`✅ Successfully installed ${moduleName}`);
|
|
||||||
console.log(filePath);
|
|
||||||
|
|
||||||
if (!checkIfExistsInPath(installationDir)) {
|
|
||||||
console.log(`\nℹ️ Add ${installationDir} to PATH`);
|
|
||||||
console.log(
|
|
||||||
" echo 'export PATH=\"" +
|
|
||||||
installationDir +
|
|
||||||
":$PATH\"' >> ~/.bashrc # change" +
|
|
||||||
" this to your shell"
|
|
||||||
);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
async function main(): Promise<void> {
|
|
||||||
const parsedArgs = parse(args, { stopEarly: true });
|
|
||||||
|
|
||||||
if (parsedArgs.h || parsedArgs.help) {
|
|
||||||
return showHelp();
|
|
||||||
}
|
|
||||||
|
|
||||||
if (parsedArgs._.length < 2) {
|
|
||||||
return showHelp();
|
|
||||||
}
|
|
||||||
|
|
||||||
const moduleName = parsedArgs._[0];
|
|
||||||
const moduleUrl = parsedArgs._[1];
|
|
||||||
const flags = parsedArgs._.slice(2);
|
|
||||||
const installationDir = parsedArgs.d || parsedArgs.dir;
|
|
||||||
|
|
||||||
try {
|
|
||||||
await install(moduleName, moduleUrl, flags, installationDir);
|
|
||||||
} catch (e) {
|
|
||||||
console.log(e);
|
|
||||||
exit(1);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (import.meta.main) {
|
|
||||||
main();
|
|
||||||
}
|
|
|
@ -1,472 +0,0 @@
|
||||||
// Copyright 2018-2020 the Deno authors. All rights reserved. MIT license.
|
|
||||||
const { run, stat, makeTempDir, remove, env, readAll } = Deno;
|
|
||||||
|
|
||||||
import { test, runIfMain, TestFunction } from "../testing/mod.ts";
|
|
||||||
import { assert, assertEquals } from "../testing/asserts.ts";
|
|
||||||
import { BufReader } from "../io/bufio.ts";
|
|
||||||
import { TextProtoReader } from "../textproto/mod.ts";
|
|
||||||
import * as path from "../path/mod.ts";
|
|
||||||
import * as fs from "../fs/mod.ts";
|
|
||||||
import { install, isRemoteUrl } from "./mod.ts";
|
|
||||||
|
|
||||||
let fileServer: Deno.Process;
|
|
||||||
|
|
||||||
// copied from `http/file_server_test.ts`
|
|
||||||
async function startFileServer(): Promise<void> {
|
|
||||||
fileServer = run({
|
|
||||||
args: [
|
|
||||||
Deno.execPath(),
|
|
||||||
"run",
|
|
||||||
"--allow-read",
|
|
||||||
"--allow-net",
|
|
||||||
"http/file_server.ts",
|
|
||||||
".",
|
|
||||||
"--cors"
|
|
||||||
],
|
|
||||||
stdout: "piped"
|
|
||||||
});
|
|
||||||
// Once fileServer is ready it will write to its stdout.
|
|
||||||
const r = new TextProtoReader(new BufReader(fileServer.stdout!));
|
|
||||||
const s = await r.readLine();
|
|
||||||
assert(s !== Deno.EOF && s.includes("server listening"));
|
|
||||||
}
|
|
||||||
|
|
||||||
function killFileServer(): void {
|
|
||||||
fileServer.close();
|
|
||||||
fileServer.stdout!.close();
|
|
||||||
}
|
|
||||||
|
|
||||||
function installerTest(t: TestFunction, useOriginHomeDir = false): void {
|
|
||||||
const fn = async (): Promise<void> => {
|
|
||||||
await startFileServer();
|
|
||||||
const tempDir = await makeTempDir();
|
|
||||||
const envVars = env();
|
|
||||||
const originalHomeDir = envVars["HOME"];
|
|
||||||
const originalUserProfile = envVars["USERPROFILE"];
|
|
||||||
if (!useOriginHomeDir) {
|
|
||||||
envVars["HOME"] = tempDir;
|
|
||||||
envVars["USERPROFILE"] = tempDir;
|
|
||||||
}
|
|
||||||
|
|
||||||
try {
|
|
||||||
await t();
|
|
||||||
} finally {
|
|
||||||
killFileServer();
|
|
||||||
await remove(tempDir, { recursive: true });
|
|
||||||
if (originalHomeDir) {
|
|
||||||
envVars["HOME"] = originalHomeDir;
|
|
||||||
}
|
|
||||||
if (originalUserProfile) {
|
|
||||||
envVars["USERPROFILE"] = originalUserProfile;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
test(fn);
|
|
||||||
}
|
|
||||||
|
|
||||||
installerTest(async function installBasic(): Promise<void> {
|
|
||||||
await install(
|
|
||||||
"echo_test",
|
|
||||||
"http://localhost:4500/installer/testdata/echo.ts",
|
|
||||||
[]
|
|
||||||
);
|
|
||||||
|
|
||||||
const { HOME } = env();
|
|
||||||
const filePath = path.resolve(HOME, ".deno/bin/echo_test");
|
|
||||||
const fileInfo = await stat(filePath);
|
|
||||||
assert(fileInfo.isFile());
|
|
||||||
|
|
||||||
if (path.isWindows) {
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath + ".cmd"),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`% This executable is generated by Deno. Please don't modify it unless you know what it means. %
|
|
||||||
@IF EXIST "%~dp0\deno.exe" (
|
|
||||||
"%~dp0\deno.exe" "run" "http://localhost:4500/installer/testdata/echo.ts" %*
|
|
||||||
) ELSE (
|
|
||||||
@SETLOCAL
|
|
||||||
@SET PATHEXT=%PATHEXT:;.TS;=;%
|
|
||||||
"deno" "run" "http://localhost:4500/installer/testdata/echo.ts" %*
|
|
||||||
)
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`#!/bin/sh
|
|
||||||
# This executable is generated by Deno. Please don't modify it unless you know what it means.
|
|
||||||
basedir=$(dirname "$(echo "$0" | sed -e 's,\\\\,/,g')")
|
|
||||||
|
|
||||||
case \`uname\` in
|
|
||||||
*CYGWIN*) basedir=\`cygpath -w "$basedir"\`;;
|
|
||||||
esac
|
|
||||||
|
|
||||||
if [ -x "$basedir/deno" ]; then
|
|
||||||
"$basedir/deno" "run" "http://localhost:4500/installer/testdata/echo.ts" "$@"
|
|
||||||
ret=$?
|
|
||||||
else
|
|
||||||
"deno" "run" "http://localhost:4500/installer/testdata/echo.ts" "$@"
|
|
||||||
ret=$?
|
|
||||||
fi
|
|
||||||
exit $ret
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
});
|
|
||||||
|
|
||||||
installerTest(async function installCustomDir(): Promise<void> {
|
|
||||||
const tempDir = await makeTempDir();
|
|
||||||
|
|
||||||
await install(
|
|
||||||
"echo_test",
|
|
||||||
"http://localhost:4500/installer/testdata/echo.ts",
|
|
||||||
[],
|
|
||||||
tempDir
|
|
||||||
);
|
|
||||||
|
|
||||||
const filePath = path.resolve(tempDir, "echo_test");
|
|
||||||
const fileInfo = await stat(filePath);
|
|
||||||
assert(fileInfo.isFile());
|
|
||||||
|
|
||||||
if (path.isWindows) {
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath + ".cmd"),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`% This executable is generated by Deno. Please don't modify it unless you know what it means. %
|
|
||||||
@IF EXIST "%~dp0\deno.exe" (
|
|
||||||
"%~dp0\deno.exe" "run" "http://localhost:4500/installer/testdata/echo.ts" %*
|
|
||||||
) ELSE (
|
|
||||||
@SETLOCAL
|
|
||||||
@SET PATHEXT=%PATHEXT:;.TS;=;%
|
|
||||||
"deno" "run" "http://localhost:4500/installer/testdata/echo.ts" %*
|
|
||||||
)
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`#!/bin/sh
|
|
||||||
# This executable is generated by Deno. Please don't modify it unless you know what it means.
|
|
||||||
basedir=$(dirname "$(echo "$0" | sed -e 's,\\\\,/,g')")
|
|
||||||
|
|
||||||
case \`uname\` in
|
|
||||||
*CYGWIN*) basedir=\`cygpath -w "$basedir"\`;;
|
|
||||||
esac
|
|
||||||
|
|
||||||
if [ -x "$basedir/deno" ]; then
|
|
||||||
"$basedir/deno" "run" "http://localhost:4500/installer/testdata/echo.ts" "$@"
|
|
||||||
ret=$?
|
|
||||||
else
|
|
||||||
"deno" "run" "http://localhost:4500/installer/testdata/echo.ts" "$@"
|
|
||||||
ret=$?
|
|
||||||
fi
|
|
||||||
exit $ret
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
});
|
|
||||||
|
|
||||||
installerTest(async function installLocalModule(): Promise<void> {
|
|
||||||
let localModule = path.join(Deno.cwd(), "installer", "testdata", "echo.ts");
|
|
||||||
await install("echo_test", localModule, []);
|
|
||||||
|
|
||||||
const { HOME } = env();
|
|
||||||
const filePath = path.resolve(HOME, ".deno/bin/echo_test");
|
|
||||||
const fileInfo = await stat(filePath);
|
|
||||||
assert(fileInfo.isFile());
|
|
||||||
|
|
||||||
if (path.isWindows) {
|
|
||||||
localModule = localModule.replace(/\\/g, "\\\\");
|
|
||||||
}
|
|
||||||
|
|
||||||
if (path.isWindows) {
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath + ".cmd"),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`% This executable is generated by Deno. Please don't modify it unless you know what it means. %
|
|
||||||
@IF EXIST "%~dp0\deno.exe" (
|
|
||||||
"%~dp0\deno.exe" "run" "${localModule}" %*
|
|
||||||
) ELSE (
|
|
||||||
@SETLOCAL
|
|
||||||
@SET PATHEXT=%PATHEXT:;.TS;=;%
|
|
||||||
"deno" "run" "${localModule}" %*
|
|
||||||
)
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`#!/bin/sh
|
|
||||||
# This executable is generated by Deno. Please don't modify it unless you know what it means.
|
|
||||||
basedir=$(dirname "$(echo "$0" | sed -e 's,\\\\,/,g')")
|
|
||||||
|
|
||||||
case \`uname\` in
|
|
||||||
*CYGWIN*) basedir=\`cygpath -w "$basedir"\`;;
|
|
||||||
esac
|
|
||||||
|
|
||||||
if [ -x "$basedir/deno" ]; then
|
|
||||||
"$basedir/deno" "run" "${localModule}" "$@"
|
|
||||||
ret=$?
|
|
||||||
else
|
|
||||||
"deno" "run" "${localModule}" "$@"
|
|
||||||
ret=$?
|
|
||||||
fi
|
|
||||||
exit $ret
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
});
|
|
||||||
|
|
||||||
installerTest(async function installWithFlags(): Promise<void> {
|
|
||||||
await install(
|
|
||||||
"echo_test",
|
|
||||||
"http://localhost:4500/installer/testdata/echo.ts",
|
|
||||||
["--allow-net", "--allow-read", "--foobar"]
|
|
||||||
);
|
|
||||||
|
|
||||||
const { HOME } = env();
|
|
||||||
const filePath = path.resolve(HOME, ".deno/bin/echo_test");
|
|
||||||
|
|
||||||
if (path.isWindows) {
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath + ".cmd"),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`% This executable is generated by Deno. Please don't modify it unless you know what it means. %
|
|
||||||
@IF EXIST "%~dp0\deno.exe" (
|
|
||||||
"%~dp0\deno.exe" "run" "--allow-net" "--allow-read" "http://localhost:4500/installer/testdata/echo.ts" "--foobar" %*
|
|
||||||
) ELSE (
|
|
||||||
@SETLOCAL
|
|
||||||
@SET PATHEXT=%PATHEXT:;.TS;=;%
|
|
||||||
"deno" "run" "--allow-net" "--allow-read" "http://localhost:4500/installer/testdata/echo.ts" "--foobar" %*
|
|
||||||
)
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`#!/bin/sh
|
|
||||||
# This executable is generated by Deno. Please don't modify it unless you know what it means.
|
|
||||||
basedir=$(dirname "$(echo "$0" | sed -e 's,\\\\,/,g')")
|
|
||||||
|
|
||||||
case \`uname\` in
|
|
||||||
*CYGWIN*) basedir=\`cygpath -w "$basedir"\`;;
|
|
||||||
esac
|
|
||||||
|
|
||||||
if [ -x "$basedir/deno" ]; then
|
|
||||||
"$basedir/deno" "run" "--allow-net" "--allow-read" "http://localhost:4500/installer/testdata/echo.ts" "--foobar" "$@"
|
|
||||||
ret=$?
|
|
||||||
else
|
|
||||||
"deno" "run" "--allow-net" "--allow-read" "http://localhost:4500/installer/testdata/echo.ts" "--foobar" "$@"
|
|
||||||
ret=$?
|
|
||||||
fi
|
|
||||||
exit $ret
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
});
|
|
||||||
|
|
||||||
installerTest(async function installLocalModuleAndRun(): Promise<void> {
|
|
||||||
const tempDir = await makeTempDir();
|
|
||||||
const localModule = path.join(Deno.cwd(), "installer", "testdata", "echo.ts");
|
|
||||||
await install("echo_test", localModule, ["hello"], tempDir);
|
|
||||||
|
|
||||||
const filePath = path.resolve(tempDir, "echo_test");
|
|
||||||
const fileInfo = await stat(filePath);
|
|
||||||
assert(fileInfo.isFile());
|
|
||||||
|
|
||||||
const ps = run({
|
|
||||||
args: [filePath + (path.isWindows ? ".cmd" : ""), "foo"],
|
|
||||||
stdout: "piped"
|
|
||||||
});
|
|
||||||
|
|
||||||
if (!ps.stdout) {
|
|
||||||
assert(!!ps.stdout, "There should have stdout.");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
let thrown = false;
|
|
||||||
|
|
||||||
try {
|
|
||||||
const b = await readAll(ps.stdout);
|
|
||||||
|
|
||||||
const s = new TextDecoder("utf-8").decode(b);
|
|
||||||
|
|
||||||
assertEquals(s, "hello, foo");
|
|
||||||
} catch (err) {
|
|
||||||
console.error(err);
|
|
||||||
thrown = true;
|
|
||||||
} finally {
|
|
||||||
await remove(tempDir, { recursive: true });
|
|
||||||
ps.close();
|
|
||||||
}
|
|
||||||
|
|
||||||
assert(!thrown, "It should not throw an error");
|
|
||||||
}, true); // set true to install module in your real $HOME dir.
|
|
||||||
|
|
||||||
installerTest(async function installAndMakesureItCanRun(): Promise<void> {
|
|
||||||
const tempDir = await makeTempDir();
|
|
||||||
await install(
|
|
||||||
"echo_test",
|
|
||||||
"http://localhost:4500/installer/testdata/echo.ts",
|
|
||||||
["hello"],
|
|
||||||
tempDir
|
|
||||||
);
|
|
||||||
|
|
||||||
const filePath = path.resolve(tempDir, "echo_test");
|
|
||||||
const fileInfo = await stat(filePath);
|
|
||||||
assert(fileInfo.isFile());
|
|
||||||
|
|
||||||
const ps = run({
|
|
||||||
args: [filePath + (path.isWindows ? ".cmd" : ""), "foo"],
|
|
||||||
stdout: "piped"
|
|
||||||
});
|
|
||||||
|
|
||||||
if (!ps.stdout) {
|
|
||||||
assert(!!ps.stdout, "There should have stdout.");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
let thrown = false;
|
|
||||||
|
|
||||||
try {
|
|
||||||
const b = await readAll(ps.stdout);
|
|
||||||
|
|
||||||
const s = new TextDecoder("utf-8").decode(b);
|
|
||||||
|
|
||||||
assertEquals(s, "hello, foo");
|
|
||||||
} catch (err) {
|
|
||||||
console.error(err);
|
|
||||||
thrown = true;
|
|
||||||
} finally {
|
|
||||||
await remove(tempDir, { recursive: true });
|
|
||||||
ps.close();
|
|
||||||
}
|
|
||||||
|
|
||||||
assert(!thrown, "It should not throw an error");
|
|
||||||
}, true); // set true to install module in your real $HOME dir.
|
|
||||||
|
|
||||||
installerTest(async function installAndMakesureArgsRight(): Promise<void> {
|
|
||||||
const tempDir = await makeTempDir();
|
|
||||||
await install(
|
|
||||||
"args_test",
|
|
||||||
"http://localhost:4500/installer/testdata/args.ts",
|
|
||||||
["arg1", "--flag1"],
|
|
||||||
tempDir
|
|
||||||
);
|
|
||||||
|
|
||||||
const filePath = path.resolve(tempDir, "args_test");
|
|
||||||
const fileInfo = await stat(filePath);
|
|
||||||
assert(fileInfo.isFile());
|
|
||||||
|
|
||||||
const ps = run({
|
|
||||||
args: [filePath + (path.isWindows ? ".cmd" : ""), "arg2", "--flag2"],
|
|
||||||
stdout: "piped"
|
|
||||||
});
|
|
||||||
|
|
||||||
if (!ps.stdout) {
|
|
||||||
assert(!!ps.stdout, "There should have stdout.");
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
let thrown = false;
|
|
||||||
|
|
||||||
try {
|
|
||||||
const b = await readAll(ps.stdout);
|
|
||||||
|
|
||||||
const s = new TextDecoder("utf-8").decode(b);
|
|
||||||
|
|
||||||
const obj = JSON.parse(s);
|
|
||||||
|
|
||||||
assertEquals(obj[0], "arg1");
|
|
||||||
assertEquals(obj[1], "--flag1");
|
|
||||||
assertEquals(obj[2], "arg2");
|
|
||||||
assertEquals(obj[3], "--flag2");
|
|
||||||
} catch (err) {
|
|
||||||
console.error(err);
|
|
||||||
thrown = true;
|
|
||||||
} finally {
|
|
||||||
await remove(tempDir, { recursive: true });
|
|
||||||
ps.close();
|
|
||||||
}
|
|
||||||
|
|
||||||
assert(!thrown, "It should not throw an error");
|
|
||||||
}, true); // set true to install module in your real $HOME dir.
|
|
||||||
|
|
||||||
installerTest(async function installWithoutHOMEVar(): Promise<void> {
|
|
||||||
const { HOME } = env();
|
|
||||||
env()["HOME"] = "";
|
|
||||||
|
|
||||||
await install(
|
|
||||||
"echo_test",
|
|
||||||
"http://localhost:4500/installer/testdata/echo.ts",
|
|
||||||
[]
|
|
||||||
);
|
|
||||||
|
|
||||||
env()["HOME"] = HOME;
|
|
||||||
|
|
||||||
const filePath = path.resolve(HOME, ".deno/bin/echo_test");
|
|
||||||
const fileInfo = await stat(filePath);
|
|
||||||
assert(fileInfo.isFile());
|
|
||||||
|
|
||||||
if (path.isWindows) {
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath + ".cmd"),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`% This executable is generated by Deno. Please don't modify it unless you know what it means. %
|
|
||||||
@IF EXIST "%~dp0\deno.exe" (
|
|
||||||
"%~dp0\deno.exe" "run" "http://localhost:4500/installer/testdata/echo.ts" %*
|
|
||||||
) ELSE (
|
|
||||||
@SETLOCAL
|
|
||||||
@SET PATHEXT=%PATHEXT:;.TS;=;%
|
|
||||||
"deno" "run" "http://localhost:4500/installer/testdata/echo.ts" %*
|
|
||||||
)
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
assertEquals(
|
|
||||||
await fs.readFileStr(filePath),
|
|
||||||
/* eslint-disable max-len */
|
|
||||||
`#!/bin/sh
|
|
||||||
# This executable is generated by Deno. Please don't modify it unless you know what it means.
|
|
||||||
basedir=$(dirname "$(echo "$0" | sed -e 's,\\\\,/,g')")
|
|
||||||
|
|
||||||
case \`uname\` in
|
|
||||||
*CYGWIN*) basedir=\`cygpath -w "$basedir"\`;;
|
|
||||||
esac
|
|
||||||
|
|
||||||
if [ -x "$basedir/deno" ]; then
|
|
||||||
"$basedir/deno" "run" "http://localhost:4500/installer/testdata/echo.ts" "$@"
|
|
||||||
ret=$?
|
|
||||||
else
|
|
||||||
"deno" "run" "http://localhost:4500/installer/testdata/echo.ts" "$@"
|
|
||||||
ret=$?
|
|
||||||
fi
|
|
||||||
exit $ret
|
|
||||||
`
|
|
||||||
/* eslint-enable max-len */
|
|
||||||
);
|
|
||||||
});
|
|
||||||
|
|
||||||
test(function testIsRemoteUrl(): void {
|
|
||||||
assert(isRemoteUrl("https://deno.land/std/http/file_server.ts"));
|
|
||||||
assert(isRemoteUrl("http://deno.land/std/http/file_server.ts"));
|
|
||||||
assert(!isRemoteUrl("file:///dev/deno_std/http/file_server.ts"));
|
|
||||||
assert(!isRemoteUrl("./dev/deno_std/http/file_server.ts"));
|
|
||||||
});
|
|
||||||
|
|
||||||
runIfMain(import.meta);
|
|
9
std/installer/testdata/args.ts
vendored
9
std/installer/testdata/args.ts
vendored
|
@ -1,9 +0,0 @@
|
||||||
function args(args: string[]) {
|
|
||||||
const map = {};
|
|
||||||
for (let i = 0; i < args.length; i++) {
|
|
||||||
map[i] = args[i];
|
|
||||||
}
|
|
||||||
Deno.stdout.write(new TextEncoder().encode(JSON.stringify(map)));
|
|
||||||
}
|
|
||||||
|
|
||||||
args(Deno.args);
|
|
Loading…
Add table
Add a link
Reference in a new issue