Auto merge of #42059 - derekdreery:bugfix/fix_emscripten_tests, r=alexcrichton

Make compiletest set cwd before running js tests

Proposed fix for #38800.

Not all tests pass yet - I will mention failures here once the test suite has finished.
This commit is contained in:
bors 2017-07-26 18:27:19 +00:00
commit d02fb3bcf4
4 changed files with 58 additions and 30 deletions

View File

@ -19,7 +19,6 @@ RUN sh /scripts/dumb-init.sh
# emscripten # emscripten
COPY scripts/emscripten.sh /scripts/ COPY scripts/emscripten.sh /scripts/
RUN bash /scripts/emscripten.sh RUN bash /scripts/emscripten.sh
COPY disabled/wasm32/node.sh /usr/local/bin/node
COPY scripts/sccache.sh /scripts/ COPY scripts/sccache.sh /scripts/
RUN sh /scripts/sccache.sh RUN sh /scripts/sccache.sh
@ -27,6 +26,7 @@ RUN sh /scripts/sccache.sh
ENV PATH=$PATH:/emsdk-portable ENV PATH=$PATH:/emsdk-portable
ENV PATH=$PATH:/emsdk-portable/clang/e1.37.13_64bit/ ENV PATH=$PATH:/emsdk-portable/clang/e1.37.13_64bit/
ENV PATH=$PATH:/emsdk-portable/emscripten/1.37.13/ ENV PATH=$PATH:/emsdk-portable/emscripten/1.37.13/
ENV PATH=$PATH:/node-v8.0.0-linux-x64/bin/
ENV EMSCRIPTEN=/emsdk-portable/emscripten/1.37.13/ ENV EMSCRIPTEN=/emsdk-portable/emscripten/1.37.13/
ENV BINARYEN_ROOT=/emsdk-portable/clang/e1.37.13_64bit/binaryen/ ENV BINARYEN_ROOT=/emsdk-portable/clang/e1.37.13_64bit/binaryen/
ENV EM_CONFIG=/emsdk-portable/.emscripten ENV EM_CONFIG=/emsdk-portable/.emscripten

View File

@ -1,18 +0,0 @@
#!/bin/bash
# Copyright 2017 The Rust Project Developers. See the COPYRIGHT
# file at the top-level directory of this distribution and at
# http://rust-lang.org/COPYRIGHT.
#
# Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
# http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
# <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
# option. This file may not be copied, modified, or distributed
# except according to those terms.
path="$(dirname $1)"
file="$(basename $1)"
shift
cd "$path"
exec /node-v8.0.0-linux-x64/bin/node "$file" "$@"

View File

@ -9,11 +9,14 @@
// except according to those terms. // except according to those terms.
use std::env; use std::env;
use std::ffi::OsString;
use std::io::prelude::*; use std::io::prelude::*;
use std::io; use std::io;
use std::path::PathBuf; use std::path::PathBuf;
use std::process::{Child, Command, ExitStatus, Output, Stdio}; use std::process::{Child, Command, ExitStatus, Output, Stdio};
/// Get the name of the environment variable that holds dynamic library
/// locations
pub fn dylib_env_var() -> &'static str { pub fn dylib_env_var() -> &'static str {
if cfg!(windows) { if cfg!(windows) {
"PATH" "PATH"
@ -26,11 +29,13 @@ pub fn dylib_env_var() -> &'static str {
} }
} }
/// Add `lib_path` and `aux_path` (if it is `Some`) to the dynamic library
/// env var
fn add_target_env(cmd: &mut Command, lib_path: &str, aux_path: Option<&str>) { fn add_target_env(cmd: &mut Command, lib_path: &str, aux_path: Option<&str>) {
// Need to be sure to put both the lib_path and the aux path in the dylib // Need to be sure to put both the lib_path and the aux path in the dylib
// search path for the child. // search path for the child.
let var = dylib_env_var(); let var = dylib_env_var();
let mut path = env::split_paths(&env::var_os(var).unwrap_or_default()) let mut path = env::split_paths(&env::var_os(var).unwrap_or(OsString::new()))
.collect::<Vec<_>>(); .collect::<Vec<_>>();
if let Some(p) = aux_path { if let Some(p) = aux_path {
path.insert(0, PathBuf::from(p)) path.insert(0, PathBuf::from(p))
@ -42,18 +47,33 @@ fn add_target_env(cmd: &mut Command, lib_path: &str, aux_path: Option<&str>) {
cmd.env(var, newpath); cmd.env(var, newpath);
} }
/// Represents exit status, stdout and stderr of a completed process
pub struct Result { pub struct Result {
pub status: ExitStatus, pub status: ExitStatus,
pub out: String, pub out: String,
pub err: String, pub err: String,
} }
/// Runs a test program
///
/// # Params
/// - `lib_path` Path to search for required library
/// - `prog` command to run
/// - `aux_path` Optional extra path to search for required
/// auxiliary libraries
/// - `args` List of arguments to pass to `prog`
/// - `env` List of environment variables to set, `.0` is variable name,
/// `.1` is value
/// - `input` String to be fed as stdin
/// - `current_dir` Optional working dir to run command in
///
pub fn run(lib_path: &str, pub fn run(lib_path: &str,
prog: &str, prog: &str,
aux_path: Option<&str>, aux_path: Option<&str>,
args: &[String], args: &[String],
env: Vec<(String, String)>, env: Vec<(String, String)>,
input: Option<String>) input: Option<String>,
current_dir: Option<String>)
-> io::Result<Result> { -> io::Result<Result> {
let mut cmd = Command::new(prog); let mut cmd = Command::new(prog);
@ -66,6 +86,9 @@ pub fn run(lib_path: &str,
for (key, val) in env { for (key, val) in env {
cmd.env(&key, &val); cmd.env(&key, &val);
} }
if let Some(cwd) = current_dir {
cmd.current_dir(cwd);
}
let mut process = cmd.spawn()?; let mut process = cmd.spawn()?;
if let Some(input) = input { if let Some(input) = input {
@ -80,12 +103,14 @@ pub fn run(lib_path: &str,
}) })
} }
/// Same as `run`, but return process rather than waiting on completion
pub fn run_background(lib_path: &str, pub fn run_background(lib_path: &str,
prog: &str, prog: &str,
aux_path: Option<&str>, aux_path: Option<&str>,
args: &[String], args: &[String],
env: Vec<(String, String)>, env: Vec<(String, String)>,
input: Option<String>) input: Option<String>,
current_dir: Option<String>)
-> io::Result<Child> { -> io::Result<Child> {
let mut cmd = Command::new(prog); let mut cmd = Command::new(prog);
@ -96,6 +121,9 @@ pub fn run_background(lib_path: &str,
for (key, val) in env { for (key, val) in env {
cmd.env(&key, &val); cmd.env(&key, &val);
} }
if let Some(cwd) = current_dir {
cmd.current_dir(cwd);
}
let mut process = cmd.spawn()?; let mut process = cmd.spawn()?;
if let Some(input) = input { if let Some(input) = input {

View File

@ -334,7 +334,8 @@ impl<'test> TestCx<'test> {
self.props.exec_env.clone(), self.props.exec_env.clone(),
self.config.compile_lib_path.to_str().unwrap(), self.config.compile_lib_path.to_str().unwrap(),
Some(aux_dir.to_str().unwrap()), Some(aux_dir.to_str().unwrap()),
Some(src)) Some(src),
None)
} }
fn make_pp_args(&self, fn make_pp_args(&self,
@ -509,6 +510,7 @@ actual:\n\
self.config.adb_test_dir.clone() self.config.adb_test_dir.clone()
], ],
Vec::new(), Vec::new(),
None,
None) None)
.expect(&format!("failed to exec `{:?}`", self.config.adb_path)); .expect(&format!("failed to exec `{:?}`", self.config.adb_path));
@ -521,6 +523,7 @@ actual:\n\
"tcp:5039".to_owned() "tcp:5039".to_owned()
], ],
Vec::new(), Vec::new(),
None,
None) None)
.expect(&format!("failed to exec `{:?}`", self.config.adb_path)); .expect(&format!("failed to exec `{:?}`", self.config.adb_path));
@ -543,6 +546,7 @@ actual:\n\
adb_arg.clone() adb_arg.clone()
], ],
Vec::new(), Vec::new(),
None,
None) None)
.expect(&format!("failed to exec `{:?}`", self.config.adb_path)); .expect(&format!("failed to exec `{:?}`", self.config.adb_path));
@ -579,6 +583,7 @@ actual:\n\
None, None,
&debugger_opts, &debugger_opts,
Vec::new(), Vec::new(),
None,
None) None)
.expect(&format!("failed to exec `{:?}`", gdb_path)); .expect(&format!("failed to exec `{:?}`", gdb_path));
let cmdline = { let cmdline = {
@ -686,6 +691,7 @@ actual:\n\
environment, environment,
self.config.run_lib_path.to_str().unwrap(), self.config.run_lib_path.to_str().unwrap(),
None, None,
None,
None); None);
} }
} }
@ -1231,15 +1237,21 @@ actual:\n\
env, env,
self.config.run_lib_path.to_str().unwrap(), self.config.run_lib_path.to_str().unwrap(),
Some(aux_dir.to_str().unwrap()), Some(aux_dir.to_str().unwrap()),
None,
None) None)
} }
_ => { _ => {
let aux_dir = self.aux_output_dir_name(); let aux_dir = self.aux_output_dir_name();
let working_dir =
Some(self.output_base_name()
.parent().unwrap()
.to_str().unwrap().to_owned());
self.compose_and_run(self.make_run_args(), self.compose_and_run(self.make_run_args(),
env, env,
self.config.run_lib_path.to_str().unwrap(), self.config.run_lib_path.to_str().unwrap(),
Some(aux_dir.to_str().unwrap()), Some(aux_dir.to_str().unwrap()),
None) None,
working_dir)
} }
} }
} }
@ -1317,6 +1329,7 @@ actual:\n\
Vec::new(), Vec::new(),
aux_cx.config.compile_lib_path.to_str().unwrap(), aux_cx.config.compile_lib_path.to_str().unwrap(),
Some(aux_dir.to_str().unwrap()), Some(aux_dir.to_str().unwrap()),
None,
None); None);
if !auxres.status.success() { if !auxres.status.success() {
self.fatal_proc_rec( self.fatal_proc_rec(
@ -1330,7 +1343,8 @@ actual:\n\
self.props.rustc_env.clone(), self.props.rustc_env.clone(),
self.config.compile_lib_path.to_str().unwrap(), self.config.compile_lib_path.to_str().unwrap(),
Some(aux_dir.to_str().unwrap()), Some(aux_dir.to_str().unwrap()),
input) input,
None)
} }
fn compose_and_run(&self, fn compose_and_run(&self,
@ -1338,8 +1352,9 @@ actual:\n\
procenv: Vec<(String, String)> , procenv: Vec<(String, String)> ,
lib_path: &str, lib_path: &str,
aux_path: Option<&str>, aux_path: Option<&str>,
input: Option<String>) -> ProcRes { input: Option<String>,
self.program_output(lib_path, prog, aux_path, args, procenv, input) working_dir: Option<String>) -> ProcRes {
self.program_output(lib_path, prog, aux_path, args, procenv, input, working_dir)
} }
fn make_compile_args(&self, fn make_compile_args(&self,
@ -1532,7 +1547,8 @@ actual:\n\
aux_path: Option<&str>, aux_path: Option<&str>,
args: Vec<String>, args: Vec<String>,
env: Vec<(String, String)>, env: Vec<(String, String)>,
input: Option<String>) input: Option<String>,
working_dir: Option<String>)
-> ProcRes { -> ProcRes {
let cmdline = let cmdline =
{ {
@ -1542,6 +1558,7 @@ actual:\n\
logv(self.config, format!("executing {}", cmdline)); logv(self.config, format!("executing {}", cmdline));
cmdline cmdline
}; };
let procsrv::Result { let procsrv::Result {
out, out,
err, err,
@ -1551,7 +1568,8 @@ actual:\n\
aux_path, aux_path,
&args, &args,
env, env,
input).expect(&format!("failed to exec `{}`", prog)); input,
working_dir).expect(&format!("failed to exec `{}`", prog));
self.dump_output(&out, &err); self.dump_output(&out, &err);
ProcRes { ProcRes {
status: status, status: status,
@ -1715,7 +1733,7 @@ actual:\n\
args: vec![format!("-input-file={}", irfile.to_str().unwrap()), args: vec![format!("-input-file={}", irfile.to_str().unwrap()),
self.testpaths.file.to_str().unwrap().to_owned()] self.testpaths.file.to_str().unwrap().to_owned()]
}; };
self.compose_and_run(proc_args, Vec::new(), "", None, None) self.compose_and_run(proc_args, Vec::new(), "", None, None, None)
} }
fn run_codegen_test(&self) { fn run_codegen_test(&self) {