rust/src/compiletest/compiletest.rs

361 lines
13 KiB
Rust
Raw Normal View History

// Copyright 2012 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.
#![crate_type = "bin"]
#![feature(phase)]
// we use our own (green) start below; do not link in libnative; issue #13247.
#![no_start]
#![allow(non_camel_case_types)]
#![deny(warnings)]
2014-02-13 19:49:11 -06:00
extern crate test;
extern crate getopts;
log: Introduce liblog, the old std::logging This commit moves all logging out of the standard library into an external crate. This crate is the new crate which is responsible for all logging macros and logging implementation. A few reasons for this change are: * The crate map has always been a bit of a code smell among rust programs. It has difficulty being loaded on almost all platforms, and it's used almost exclusively for logging and only logging. Removing the crate map is one of the end goals of this movement. * The compiler has a fair bit of special support for logging. It has the __log_level() expression as well as generating a global word per module specifying the log level. This is unfairly favoring the built-in logging system, and is much better done purely in libraries instead of the compiler itself. * Initialization of logging is much easier to do if there is no reliance on a magical crate map being available to set module log levels. * If the logging library can be written outside of the standard library, there's no reason that it shouldn't be. It's likely that we're not going to build the highest quality logging library of all time, so third-party libraries should be able to provide just as high-quality logging systems as the default one provided in the rust distribution. With a migration such as this, the change does not come for free. There are some subtle changes in the behavior of liblog vs the previous logging macros: * The core change of this migration is that there is no longer a physical log-level per module. This concept is still emulated (it is quite useful), but there is now only a global log level, not a local one. This global log level is a reflection of the maximum of all log levels specified. The previously generated logging code looked like: if specified_level <= __module_log_level() { println!(...) } The newly generated code looks like: if specified_level <= ::log::LOG_LEVEL { if ::log::module_enabled(module_path!()) { println!(...) } } Notably, the first layer of checking is still intended to be "super fast" in that it's just a load of a global word and a compare. The second layer of checking is executed to determine if the current module does indeed have logging turned on. This means that if any module has a debug log level turned on, all modules with debug log levels get a little bit slower (they all do more expensive dynamic checks to determine if they're turned on or not). Semantically, this migration brings no change in this respect, but runtime-wise, this will have a perf impact on some code. * A `RUST_LOG=::help` directive will no longer print out a list of all modules that can be logged. This is because the crate map will no longer specify the log levels of all modules, so the list of modules is not known. Additionally, warnings can no longer be provided if a malformed logging directive was supplied. The new "hello world" for logging looks like: #[phase(syntax, link)] extern crate log; fn main() { debug!("Hello, world!"); }
2014-03-09 00:11:44 -06:00
#[phase(link, syntax)]
extern crate log;
extern crate green;
extern crate rustuv;
2012-04-05 19:30:26 -05:00
use std::os;
use std::io;
2013-11-11 00:46:32 -06:00
use std::io::fs;
use getopts::{optopt, optflag, reqopt};
2012-11-18 19:56:50 -06:00
use common::config;
use common::mode_run_pass;
use common::mode_run_fail;
use common::mode_compile_fail;
use common::mode_pretty;
2013-02-09 12:09:19 -06:00
use common::mode_debug_info;
use common::mode_codegen;
2012-11-18 19:56:50 -06:00
use common::mode;
use util::logv;
pub mod procsrv;
pub mod util;
pub mod header;
pub mod runtest;
pub mod common;
pub mod errors;
#[start]
fn start(argc: int, argv: **u8) -> int {
green::start(argc, argv, rustuv::event_loop, main)
}
pub fn main() {
2012-11-18 19:56:50 -06:00
let args = os::args();
let config = parse_config(args.move_iter().collect());
log_config(&config);
run_tests(&config);
2012-11-18 19:56:50 -06:00
}
pub fn parse_config(args: Vec<~str> ) -> config {
let groups : Vec<getopts::OptGroup> =
vec!(reqopt("", "compile-lib-path", "path to host shared libraries", "PATH"),
reqopt("", "run-lib-path", "path to target shared libraries", "PATH"),
reqopt("", "rustc-path", "path to rustc to use for compiling", "PATH"),
optopt("", "clang-path", "path to executable for codegen tests", "PATH"),
optopt("", "llvm-bin-path", "path to directory holding llvm binaries", "DIR"),
reqopt("", "src-base", "directory to scan for test files", "PATH"),
reqopt("", "build-base", "directory to deposit test outputs", "PATH"),
reqopt("", "aux-base", "directory to find auxiliary test files", "PATH"),
reqopt("", "stage-id", "the target-stage identifier", "stageN-TARGET"),
reqopt("", "mode", "which sort of compile tests to run",
"(compile-fail|run-fail|run-pass|pretty|debug-info)"),
optflag("", "ignored", "run tests marked as ignored"),
optopt("", "runtool", "supervisor program to run tests under \
(eg. emulator, valgrind)", "PROGRAM"),
2014-02-11 15:51:08 -06:00
optopt("", "host-rustcflags", "flags to pass to rustc for host", "FLAGS"),
optopt("", "target-rustcflags", "flags to pass to rustc for target", "FLAGS"),
optflag("", "verbose", "run tests verbosely, showing all output"),
optopt("", "logfile", "file to log test execution to", "FILE"),
optopt("", "save-metrics", "file to save metrics to", "FILE"),
optopt("", "ratchet-metrics", "file to ratchet metrics against", "FILE"),
optopt("", "ratchet-noise-percent",
"percent change in metrics to consider noise", "N"),
optflag("", "jit", "run tests under the JIT"),
optopt("", "target", "the target to build for", "TARGET"),
optopt("", "host", "the host to build for", "HOST"),
optopt("", "adb-path", "path to the android debugger", "PATH"),
optopt("", "adb-test-dir", "path to tests for the android debugger", "PATH"),
optopt("", "test-shard", "run shard A, of B shards, worth of the testsuite", "A.B"),
optflag("h", "help", "show this message"));
2012-11-18 19:56:50 -06:00
2013-03-28 20:39:09 -05:00
assert!(!args.is_empty());
let argv0 = (*args.get(0)).clone();
let args_ = args.tail();
2014-04-15 20:17:48 -05:00
if *args.get(1) == "-h".to_owned() || *args.get(1) == "--help".to_owned() {
2013-09-29 15:18:51 -05:00
let message = format!("Usage: {} [OPTIONS] [TESTNAME...]", argv0);
println!("{}", getopts::usage(message, groups.as_slice()));
println!("");
fail!()
}
2012-11-18 19:56:50 -06:00
let matches =
&match getopts::getopts(args_, groups.as_slice()) {
2012-11-18 19:56:50 -06:00
Ok(m) => m,
Err(f) => fail!("{}", f.to_err_msg())
2012-11-18 19:56:50 -06:00
};
if matches.opt_present("h") || matches.opt_present("help") {
2013-09-29 15:18:51 -05:00
let message = format!("Usage: {} [OPTIONS] [TESTNAME...]", argv0);
println!("{}", getopts::usage(message, groups.as_slice()));
println!("");
fail!()
}
2013-05-23 11:39:48 -05:00
fn opt_path(m: &getopts::Matches, nm: &str) -> Path {
Path::new(m.opt_str(nm).unwrap())
2012-11-18 19:56:50 -06:00
}
config {
compile_lib_path: matches.opt_str("compile-lib-path").unwrap(),
run_lib_path: matches.opt_str("run-lib-path").unwrap(),
2013-05-23 11:39:48 -05:00
rustc_path: opt_path(matches, "rustc-path"),
clang_path: matches.opt_str("clang-path").map(|s| Path::new(s)),
llvm_bin_path: matches.opt_str("llvm-bin-path").map(|s| Path::new(s)),
src_base: opt_path(matches, "src-base"),
2013-05-23 11:39:48 -05:00
build_base: opt_path(matches, "build-base"),
aux_base: opt_path(matches, "aux-base"),
stage_id: matches.opt_str("stage-id").unwrap(),
mode: str_mode(matches.opt_str("mode").unwrap()),
run_ignored: matches.opt_present("ignored"),
filter:
2013-07-02 14:47:32 -05:00
if !matches.free.is_empty() {
Some((*matches.free.get(0)).clone())
2013-07-02 14:47:32 -05:00
} else {
None
},
logfile: matches.opt_str("logfile").map(|s| Path::new(s)),
save_metrics: matches.opt_str("save-metrics").map(|s| Path::new(s)),
ratchet_metrics:
matches.opt_str("ratchet-metrics").map(|s| Path::new(s)),
ratchet_noise_percent:
matches.opt_str("ratchet-noise-percent").and_then(|s| from_str::<f64>(s)),
runtool: matches.opt_str("runtool"),
2014-02-11 15:51:08 -06:00
host_rustcflags: matches.opt_str("host-rustcflags"),
target_rustcflags: matches.opt_str("target-rustcflags"),
jit: matches.opt_present("jit"),
target: opt_str2(matches.opt_str("target")).to_str(),
host: opt_str2(matches.opt_str("host")).to_str(),
adb_path: opt_str2(matches.opt_str("adb-path")).to_str(),
adb_test_dir:
opt_str2(matches.opt_str("adb-test-dir")).to_str(),
2013-05-03 20:35:07 -05:00
adb_device_status:
2014-01-19 02:21:14 -06:00
"arm-linux-androideabi" == opt_str2(matches.opt_str("target")) &&
"(none)" != opt_str2(matches.opt_str("adb-test-dir")) &&
!opt_str2(matches.opt_str("adb-test-dir")).is_empty(),
test_shard: test::opt_shard(matches.opt_str("test-shard")),
verbose: matches.opt_present("verbose")
}
2012-11-18 19:56:50 -06:00
}
pub fn log_config(config: &config) {
2012-11-18 19:56:50 -06:00
let c = config;
2013-09-29 15:18:51 -05:00
logv(c, format!("configuration:"));
logv(c, format!("compile_lib_path: {}", config.compile_lib_path));
logv(c, format!("run_lib_path: {}", config.run_lib_path));
logv(c, format!("rustc_path: {}", config.rustc_path.display()));
logv(c, format!("src_base: {}", config.src_base.display()));
logv(c, format!("build_base: {}", config.build_base.display()));
2013-09-29 15:18:51 -05:00
logv(c, format!("stage_id: {}", config.stage_id));
logv(c, format!("mode: {}", mode_str(config.mode)));
logv(c, format!("run_ignored: {}", config.run_ignored));
logv(c, format!("filter: {}", opt_str(&config.filter)));
logv(c, format!("runtool: {}", opt_str(&config.runtool)));
2014-02-11 15:51:08 -06:00
logv(c, format!("host-rustcflags: {}", opt_str(&config.host_rustcflags)));
logv(c, format!("target-rustcflags: {}", opt_str(&config.target_rustcflags)));
2013-09-29 15:18:51 -05:00
logv(c, format!("jit: {}", config.jit));
logv(c, format!("target: {}", config.target));
logv(c, format!("host: {}", config.host));
2013-09-29 15:18:51 -05:00
logv(c, format!("adb_path: {}", config.adb_path));
logv(c, format!("adb_test_dir: {}", config.adb_test_dir));
logv(c, format!("adb_device_status: {}", config.adb_device_status));
match config.test_shard {
2014-04-15 20:17:48 -05:00
None => logv(c, "test_shard: (all)".to_owned()),
2013-09-29 15:18:51 -05:00
Some((a,b)) => logv(c, format!("test_shard: {}.{}", a, b))
}
2013-09-29 15:18:51 -05:00
logv(c, format!("verbose: {}", config.verbose));
logv(c, format!("\n"));
2012-11-18 19:56:50 -06:00
}
pub fn opt_str<'a>(maybestr: &'a Option<~str>) -> &'a str {
match *maybestr {
None => "(none)",
Some(ref s) => {
let s: &'a str = *s;
s
}
}
}
pub fn opt_str2(maybestr: Option<~str>) -> ~str {
2014-04-15 20:17:48 -05:00
match maybestr { None => "(none)".to_owned(), Some(s) => { s } }
2012-11-18 19:56:50 -06:00
}
pub fn str_mode(s: ~str) -> mode {
match s.as_slice() {
"compile-fail" => mode_compile_fail,
"run-fail" => mode_run_fail,
"run-pass" => mode_run_pass,
"pretty" => mode_pretty,
"debug-info" => mode_debug_info,
"codegen" => mode_codegen,
_ => fail!("invalid mode")
2012-11-18 19:56:50 -06:00
}
}
pub fn mode_str(mode: mode) -> ~str {
2012-11-18 19:56:50 -06:00
match mode {
2014-04-15 20:17:48 -05:00
mode_compile_fail => "compile-fail".to_owned(),
mode_run_fail => "run-fail".to_owned(),
mode_run_pass => "run-pass".to_owned(),
mode_pretty => "pretty".to_owned(),
mode_debug_info => "debug-info".to_owned(),
mode_codegen => "codegen".to_owned(),
2012-11-18 19:56:50 -06:00
}
}
pub fn run_tests(config: &config) {
2014-04-15 20:17:48 -05:00
if config.target == "arm-linux-androideabi".to_owned() {
match config.mode{
mode_debug_info => {
println!("arm-linux-androideabi debug-info \
test uses tcp 5039 port. please reserve it");
}
_ =>{}
}
//arm-linux-androideabi debug-info test uses remote debugger
//so, we test 1 task at once.
// also trying to isolate problems with adb_run_wrapper.sh ilooping
os::setenv("RUST_TEST_TASKS","1");
}
2012-11-18 19:56:50 -06:00
let opts = test_opts(config);
let tests = make_tests(config);
// sadly osx needs some file descriptor limits raised for running tests in
// parallel (especially when we have lots and lots of child processes).
// For context, see #8904
io::test::raise_fd_limit();
let res = test::run_tests_console(&opts, tests.move_iter().collect());
2014-01-30 16:37:10 -06:00
match res {
Ok(true) => {}
Ok(false) => fail!("Some tests failed"),
Err(e) => {
println!("I/O failure during tests: {}", e);
}
}
2012-11-18 19:56:50 -06:00
}
pub fn test_opts(config: &config) -> test::TestOpts {
2013-01-22 10:44:24 -06:00
test::TestOpts {
2013-07-02 14:47:32 -05:00
filter: config.filter.clone(),
2013-01-22 10:44:24 -06:00
run_ignored: config.run_ignored,
2013-07-02 14:47:32 -05:00
logfile: config.logfile.clone(),
run_tests: true,
run_benchmarks: true,
2013-07-17 20:03:48 -05:00
ratchet_metrics: config.ratchet_metrics.clone(),
ratchet_noise_percent: config.ratchet_noise_percent.clone(),
save_metrics: config.save_metrics.clone(),
test_shard: config.test_shard.clone(),
nocapture: false,
2012-11-18 19:56:50 -06:00
}
}
pub fn make_tests(config: &config) -> Vec<test::TestDescAndFn> {
debug!("making tests from {}",
config.src_base.display());
let mut tests = Vec::new();
2014-01-30 16:37:10 -06:00
let dirs = fs::readdir(&config.src_base).unwrap();
for file in dirs.iter() {
let file = file.clone();
debug!("inspecting file {}", file.display());
if is_test(config, &file) {
let t = make_test(config, &file, || {
match config.mode {
mode_codegen => make_metrics_test_closure(config, &file),
_ => make_test_closure(config, &file)
}
});
tests.push(t)
2012-11-18 19:56:50 -06:00
}
}
2013-02-15 03:11:38 -06:00
tests
2012-11-18 19:56:50 -06:00
}
pub fn is_test(config: &config, testfile: &Path) -> bool {
2012-11-18 19:56:50 -06:00
// Pretty-printer does not work with .rc files yet
let valid_extensions =
match config.mode {
2014-04-15 20:17:48 -05:00
mode_pretty => vec!(".rs".to_owned()),
_ => vec!(".rc".to_owned(), ".rs".to_owned())
2012-11-18 19:56:50 -06:00
};
2014-04-15 20:17:48 -05:00
let invalid_prefixes = vec!(".".to_owned(), "#".to_owned(), "~".to_owned());
let name = testfile.filename_str().unwrap();
2012-11-18 19:56:50 -06:00
let mut valid = false;
for ext in valid_extensions.iter() {
if name.ends_with(*ext) { valid = true; }
2012-11-18 19:56:50 -06:00
}
for pre in invalid_prefixes.iter() {
if name.starts_with(*pre) { valid = false; }
2012-11-18 19:56:50 -06:00
}
return valid;
}
pub fn make_test(config: &config, testfile: &Path, f: || -> test::TestFn)
-> test::TestDescAndFn {
test::TestDescAndFn {
desc: test::TestDesc {
name: make_test_name(config, testfile),
ignore: header::is_test_ignored(config, testfile),
should_fail: false
},
testfn: f(),
2012-11-18 19:56:50 -06:00
}
}
pub fn make_test_name(config: &config, testfile: &Path) -> test::TestName {
2013-06-23 03:27:34 -05:00
// Try to elide redundant long paths
fn shorten(path: &Path) -> ~str {
let filename = path.filename_str();
let p = path.dir_path();
let dir = p.filename_str();
2013-09-29 15:18:51 -05:00
format!("{}/{}", dir.unwrap_or(""), filename.unwrap_or(""))
2013-06-23 03:27:34 -05:00
}
2013-06-26 17:34:12 -05:00
2013-09-29 15:18:51 -05:00
test::DynTestName(format!("[{}] {}",
mode_str(config.mode),
shorten(testfile)))
2012-11-18 19:56:50 -06:00
}
pub fn make_test_closure(config: &config, testfile: &Path) -> test::TestFn {
2013-12-04 18:29:01 -06:00
let config = (*config).clone();
// FIXME (#9639): This needs to handle non-utf8 paths
2013-12-04 18:29:01 -06:00
let testfile = testfile.as_str().unwrap().to_owned();
test::DynTestFn(proc() { runtest::run(config, testfile) })
2012-11-18 19:56:50 -06:00
}
pub fn make_metrics_test_closure(config: &config, testfile: &Path) -> test::TestFn {
2013-12-04 18:29:01 -06:00
let config = (*config).clone();
// FIXME (#9639): This needs to handle non-utf8 paths
2013-12-04 18:29:01 -06:00
let testfile = testfile.as_str().unwrap().to_owned();
test::DynMetricFn(proc(mm) {
2013-12-04 18:29:01 -06:00
runtest::run_metrics(config, testfile, mm)
})
}