]> git.lizzy.rs Git - rust.git/blob - src/compiletest/runtest.rs
rollup merge of #20518: nagisa/weighted-bool
[rust.git] / src / compiletest / runtest.rs
1 // Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 use self::TargetLocation::*;
12
13 use common::Config;
14 use common::{CompileFail, Pretty, RunFail, RunPass, RunPassValgrind, DebugInfoGdb};
15 use common::{Codegen, DebugInfoLldb};
16 use errors;
17 use header::TestProps;
18 use header;
19 use procsrv;
20 use util::logv;
21 #[cfg(target_os = "windows")]
22 use util;
23
24 #[cfg(target_os = "windows")]
25 use std::ascii::AsciiExt;
26 use std::io::File;
27 use std::io::fs::PathExtensions;
28 use std::io::fs;
29 use std::io::net::tcp;
30 use std::io::process::ProcessExit;
31 use std::io::process;
32 use std::io::timer;
33 use std::io;
34 use std::os;
35 use std::iter::repeat;
36 use std::str;
37 use std::string::String;
38 use std::thread::Thread;
39 use std::time::Duration;
40 use test::MetricMap;
41
42 pub fn run(config: Config, testfile: String) {
43     match config.target.as_slice() {
44
45         "arm-linux-androideabi" => {
46             if !config.adb_device_status {
47                 panic!("android device not available");
48             }
49         }
50
51         _=> { }
52     }
53
54     let mut _mm = MetricMap::new();
55     run_metrics(config, testfile, &mut _mm);
56 }
57
58 pub fn run_metrics(config: Config, testfile: String, mm: &mut MetricMap) {
59     if config.verbose {
60         // We're going to be dumping a lot of info. Start on a new line.
61         print!("\n\n");
62     }
63     let testfile = Path::new(testfile);
64     debug!("running {}", testfile.display());
65     let props = header::load_props(&testfile);
66     debug!("loaded props");
67     match config.mode {
68       CompileFail => run_cfail_test(&config, &props, &testfile),
69       RunFail => run_rfail_test(&config, &props, &testfile),
70       RunPass => run_rpass_test(&config, &props, &testfile),
71       RunPassValgrind => run_valgrind_test(&config, &props, &testfile),
72       Pretty => run_pretty_test(&config, &props, &testfile),
73       DebugInfoGdb => run_debuginfo_gdb_test(&config, &props, &testfile),
74       DebugInfoLldb => run_debuginfo_lldb_test(&config, &props, &testfile),
75       Codegen => run_codegen_test(&config, &props, &testfile, mm),
76     }
77 }
78
79 fn get_output(props: &TestProps, proc_res: &ProcRes) -> String {
80     if props.check_stdout {
81         format!("{}{}", proc_res.stdout, proc_res.stderr)
82     } else {
83         proc_res.stderr.clone()
84     }
85 }
86
87 fn run_cfail_test(config: &Config, props: &TestProps, testfile: &Path) {
88     let proc_res = compile_test(config, props, testfile);
89
90     if proc_res.status.success() {
91         fatal_proc_rec("compile-fail test compiled successfully!",
92                       &proc_res);
93     }
94
95     check_correct_failure_status(&proc_res);
96
97     if proc_res.status.success() {
98         fatal("process did not return an error status");
99     }
100
101     let output_to_check = get_output(props, &proc_res);
102     let expected_errors = errors::load_errors(&config.cfail_regex, testfile);
103     if !expected_errors.is_empty() {
104         if !props.error_patterns.is_empty() {
105             fatal("both error pattern and expected errors specified");
106         }
107         check_expected_errors(expected_errors, testfile, &proc_res);
108     } else {
109         check_error_patterns(props, testfile, output_to_check.as_slice(), &proc_res);
110     }
111     check_no_compiler_crash(&proc_res);
112     check_forbid_output(props, output_to_check.as_slice(), &proc_res);
113 }
114
115 fn run_rfail_test(config: &Config, props: &TestProps, testfile: &Path) {
116     let proc_res = if !config.jit {
117         let proc_res = compile_test(config, props, testfile);
118
119         if !proc_res.status.success() {
120             fatal_proc_rec("compilation failed!", &proc_res);
121         }
122
123         exec_compiled_test(config, props, testfile)
124     } else {
125         jit_test(config, props, testfile)
126     };
127
128     // The value our Makefile configures valgrind to return on failure
129     static VALGRIND_ERR: int = 100;
130     if proc_res.status.matches_exit_status(VALGRIND_ERR) {
131         fatal_proc_rec("run-fail test isn't valgrind-clean!", &proc_res);
132     }
133
134     let output_to_check = get_output(props, &proc_res);
135     check_correct_failure_status(&proc_res);
136     check_error_patterns(props, testfile, output_to_check.as_slice(), &proc_res);
137 }
138
139 fn check_correct_failure_status(proc_res: &ProcRes) {
140     // The value the rust runtime returns on failure
141     static RUST_ERR: int = 101;
142     if !proc_res.status.matches_exit_status(RUST_ERR) {
143         fatal_proc_rec(
144             format!("failure produced the wrong error: {}",
145                     proc_res.status).as_slice(),
146             proc_res);
147     }
148 }
149
150 fn run_rpass_test(config: &Config, props: &TestProps, testfile: &Path) {
151     if !config.jit {
152         let mut proc_res = compile_test(config, props, testfile);
153
154         if !proc_res.status.success() {
155             fatal_proc_rec("compilation failed!", &proc_res);
156         }
157
158         proc_res = exec_compiled_test(config, props, testfile);
159
160         if !proc_res.status.success() {
161             fatal_proc_rec("test run failed!", &proc_res);
162         }
163     } else {
164         let proc_res = jit_test(config, props, testfile);
165
166         if !proc_res.status.success() {
167             fatal_proc_rec("jit failed!", &proc_res);
168         }
169     }
170 }
171
172 fn run_valgrind_test(config: &Config, props: &TestProps, testfile: &Path) {
173     if config.valgrind_path.is_none() {
174         assert!(!config.force_valgrind);
175         return run_rpass_test(config, props, testfile);
176     }
177
178     let mut proc_res = compile_test(config, props, testfile);
179
180     if !proc_res.status.success() {
181         fatal_proc_rec("compilation failed!", &proc_res);
182     }
183
184     let mut new_config = config.clone();
185     new_config.runtool = new_config.valgrind_path.clone();
186     proc_res = exec_compiled_test(&new_config, props, testfile);
187
188     if !proc_res.status.success() {
189         fatal_proc_rec("test run failed!", &proc_res);
190     }
191 }
192
193 fn run_pretty_test(config: &Config, props: &TestProps, testfile: &Path) {
194     if props.pp_exact.is_some() {
195         logv(config, "testing for exact pretty-printing".to_string());
196     } else {
197         logv(config, "testing for converging pretty-printing".to_string());
198     }
199
200     let rounds =
201         match props.pp_exact { Some(_) => 1, None => 2 };
202
203     let src = File::open(testfile).read_to_end().unwrap();
204     let src = String::from_utf8(src.clone()).unwrap();
205     let mut srcs = vec!(src);
206
207     let mut round = 0;
208     while round < rounds {
209         logv(config, format!("pretty-printing round {}", round));
210         let proc_res = print_source(config,
211                                     props,
212                                     testfile,
213                                     srcs[round].to_string(),
214                                     props.pretty_mode.as_slice());
215
216         if !proc_res.status.success() {
217             fatal_proc_rec(format!("pretty-printing failed in round {}",
218                                    round).as_slice(),
219                           &proc_res);
220         }
221
222         let ProcRes{ stdout, .. } = proc_res;
223         srcs.push(stdout);
224         round += 1;
225     }
226
227     let mut expected = match props.pp_exact {
228         Some(ref file) => {
229             let filepath = testfile.dir_path().join(file);
230             let s = File::open(&filepath).read_to_end().unwrap();
231             String::from_utf8(s).unwrap()
232         }
233         None => { srcs[srcs.len() - 2u].clone() }
234     };
235     let mut actual = srcs[srcs.len() - 1u].clone();
236
237     if props.pp_exact.is_some() {
238         // Now we have to care about line endings
239         let cr = "\r".to_string();
240         actual = actual.replace(cr.as_slice(), "").to_string();
241         expected = expected.replace(cr.as_slice(), "").to_string();
242     }
243
244     compare_source(expected.as_slice(), actual.as_slice());
245
246     // If we're only making sure that the output matches then just stop here
247     if props.pretty_compare_only { return; }
248
249     // Finally, let's make sure it actually appears to remain valid code
250     let proc_res = typecheck_source(config, props, testfile, actual);
251
252     if !proc_res.status.success() {
253         fatal_proc_rec("pretty-printed source does not typecheck", &proc_res);
254     }
255     if props.no_pretty_expanded { return }
256
257     // additionally, run `--pretty expanded` and try to build it.
258     let proc_res = print_source(config, props, testfile, srcs[round].clone(), "expanded");
259     if !proc_res.status.success() {
260         fatal_proc_rec("pretty-printing (expanded) failed", &proc_res);
261     }
262
263     let ProcRes{ stdout: expanded_src, .. } = proc_res;
264     let proc_res = typecheck_source(config, props, testfile, expanded_src);
265     if !proc_res.status.success() {
266         fatal_proc_rec("pretty-printed source (expanded) does not typecheck",
267                       &proc_res);
268     }
269
270     return;
271
272     fn print_source(config: &Config,
273                     props: &TestProps,
274                     testfile: &Path,
275                     src: String,
276                     pretty_type: &str) -> ProcRes {
277         let aux_dir = aux_output_dir_name(config, testfile);
278         compose_and_run(config,
279                         testfile,
280                         make_pp_args(config,
281                                      props,
282                                      testfile,
283                                      pretty_type.to_string()),
284                         props.exec_env.clone(),
285                         config.compile_lib_path.as_slice(),
286                         Some(aux_dir.as_str().unwrap()),
287                         Some(src))
288     }
289
290     fn make_pp_args(config: &Config,
291                     props: &TestProps,
292                     testfile: &Path,
293                     pretty_type: String) -> ProcArgs {
294         let aux_dir = aux_output_dir_name(config, testfile);
295         // FIXME (#9639): This needs to handle non-utf8 paths
296         let mut args = vec!("-".to_string(),
297                             "--pretty".to_string(),
298                             pretty_type,
299                             format!("--target={}", config.target),
300                             "-L".to_string(),
301                             aux_dir.as_str().unwrap().to_string());
302         args.extend(split_maybe_args(&config.target_rustcflags).into_iter());
303         args.extend(split_maybe_args(&props.compile_flags).into_iter());
304         return ProcArgs {
305             prog: config.rustc_path.as_str().unwrap().to_string(),
306             args: args,
307         };
308     }
309
310     fn compare_source(expected: &str, actual: &str) {
311         if expected != actual {
312             error("pretty-printed source does not match expected source");
313             println!("\n\
314 expected:\n\
315 ------------------------------------------\n\
316 {}\n\
317 ------------------------------------------\n\
318 actual:\n\
319 ------------------------------------------\n\
320 {}\n\
321 ------------------------------------------\n\
322 \n",
323                      expected, actual);
324             panic!();
325         }
326     }
327
328     fn typecheck_source(config: &Config, props: &TestProps,
329                         testfile: &Path, src: String) -> ProcRes {
330         let args = make_typecheck_args(config, props, testfile);
331         compose_and_run_compiler(config, props, testfile, args, Some(src))
332     }
333
334     fn make_typecheck_args(config: &Config, props: &TestProps, testfile: &Path) -> ProcArgs {
335         let aux_dir = aux_output_dir_name(config, testfile);
336         let target = if props.force_host {
337             config.host.as_slice()
338         } else {
339             config.target.as_slice()
340         };
341         // FIXME (#9639): This needs to handle non-utf8 paths
342         let mut args = vec!("-".to_string(),
343                             "--no-trans".to_string(),
344                             "--crate-type=lib".to_string(),
345                             format!("--target={}", target),
346                             "-L".to_string(),
347                             config.build_base.as_str().unwrap().to_string(),
348                             "-L".to_string(),
349                             aux_dir.as_str().unwrap().to_string());
350         args.extend(split_maybe_args(&config.target_rustcflags).into_iter());
351         args.extend(split_maybe_args(&props.compile_flags).into_iter());
352         // FIXME (#9639): This needs to handle non-utf8 paths
353         return ProcArgs {
354             prog: config.rustc_path.as_str().unwrap().to_string(),
355             args: args,
356         };
357     }
358 }
359
360 fn run_debuginfo_gdb_test(config: &Config, props: &TestProps, testfile: &Path) {
361     let mut config = Config {
362         target_rustcflags: cleanup_debug_info_options(&config.target_rustcflags),
363         host_rustcflags: cleanup_debug_info_options(&config.host_rustcflags),
364         .. config.clone()
365     };
366
367     let config = &mut config;
368     let DebuggerCommands {
369         commands,
370         check_lines,
371         breakpoint_lines
372     } = parse_debugger_commands(testfile, "gdb");
373     let mut cmds = commands.connect("\n");
374
375     // compile test file (it should have 'compile-flags:-g' in the header)
376     let compiler_run_result = compile_test(config, props, testfile);
377     if !compiler_run_result.status.success() {
378         fatal_proc_rec("compilation failed!", &compiler_run_result);
379     }
380
381     let exe_file = make_exe_name(config, testfile);
382
383     let debugger_run_result;
384     match config.target.as_slice() {
385         "arm-linux-androideabi" => {
386
387             cmds = cmds.replace("run", "continue").to_string();
388
389             // write debugger script
390             let script_str = ["set charset UTF-8".to_string(),
391                               format!("file {}", exe_file.as_str().unwrap()
392                                                          .to_string()),
393                               "target remote :5039".to_string(),
394                               cmds,
395                               "quit".to_string()].connect("\n");
396             debug!("script_str = {}", script_str);
397             dump_output_file(config,
398                              testfile,
399                              script_str.as_slice(),
400                              "debugger.script");
401
402
403             procsrv::run("",
404                          config.adb_path.as_slice(),
405                          None,
406                          &[
407                             "push".to_string(),
408                             exe_file.as_str().unwrap().to_string(),
409                             config.adb_test_dir.clone()
410                          ],
411                          vec!(("".to_string(), "".to_string())),
412                          Some("".to_string()))
413                 .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
414
415             procsrv::run("",
416                          config.adb_path.as_slice(),
417                          None,
418                          &[
419                             "forward".to_string(),
420                             "tcp:5039".to_string(),
421                             "tcp:5039".to_string()
422                          ],
423                          vec!(("".to_string(), "".to_string())),
424                          Some("".to_string()))
425                 .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
426
427             let adb_arg = format!("export LD_LIBRARY_PATH={}; \
428                                    gdbserver :5039 {}/{}",
429                                   config.adb_test_dir.clone(),
430                                   config.adb_test_dir.clone(),
431                                   str::from_utf8(
432                                       exe_file.filename()
433                                       .unwrap()).unwrap());
434
435             let mut process = procsrv::run_background("",
436                                                       config.adb_path
437                                                             .as_slice(),
438                                                       None,
439                                                       &[
440                                                         "shell".to_string(),
441                                                         adb_arg.clone()
442                                                       ],
443                                                       vec!(("".to_string(),
444                                                             "".to_string())),
445                                                       Some("".to_string()))
446                 .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
447             loop {
448                 //waiting 1 second for gdbserver start
449                 timer::sleep(Duration::milliseconds(1000));
450                 let result = Thread::spawn(move || {
451                     tcp::TcpStream::connect("127.0.0.1:5039").unwrap();
452                 }).join();
453                 if result.is_err() {
454                     continue;
455                 }
456                 break;
457             }
458
459             let tool_path = match config.android_cross_path.as_str() {
460                 Some(x) => x.to_string(),
461                 None => fatal("cannot find android cross path")
462             };
463
464             let debugger_script = make_out_name(config, testfile, "debugger.script");
465             // FIXME (#9639): This needs to handle non-utf8 paths
466             let debugger_opts =
467                 vec!("-quiet".to_string(),
468                      "-batch".to_string(),
469                      "-nx".to_string(),
470                      format!("-command={}", debugger_script.as_str().unwrap()));
471
472             let mut gdb_path = tool_path;
473             gdb_path.push_str("/bin/arm-linux-androideabi-gdb");
474             let procsrv::Result {
475                 out,
476                 err,
477                 status
478             } = procsrv::run("",
479                              gdb_path.as_slice(),
480                              None,
481                              debugger_opts.as_slice(),
482                              vec!(("".to_string(), "".to_string())),
483                              None)
484                 .expect(format!("failed to exec `{}`", gdb_path).as_slice());
485             let cmdline = {
486                 let cmdline = make_cmdline("",
487                                            "arm-linux-androideabi-gdb",
488                                            debugger_opts.as_slice());
489                 logv(config, format!("executing {}", cmdline));
490                 cmdline
491             };
492
493             debugger_run_result = ProcRes {
494                 status: status,
495                 stdout: out,
496                 stderr: err,
497                 cmdline: cmdline
498             };
499             process.signal_kill().unwrap();
500         }
501
502         _=> {
503             let rust_src_root = find_rust_src_root(config)
504                 .expect("Could not find Rust source root");
505             let rust_pp_module_rel_path = Path::new("./src/etc");
506             let rust_pp_module_abs_path = rust_src_root.join(rust_pp_module_rel_path)
507                                                        .as_str()
508                                                        .unwrap()
509                                                        .to_string();
510             // write debugger script
511             let mut script_str = String::with_capacity(2048);
512
513             script_str.push_str("set charset UTF-8\n");
514             script_str.push_str("show version\n");
515
516             match config.gdb_version {
517                 Some(ref version) => {
518                     println!("NOTE: compiletest thinks it is using GDB version {}",
519                              version.as_slice());
520
521                     if header::gdb_version_to_int(version.as_slice()) >
522                         header::gdb_version_to_int("7.4") {
523                         // Add the directory containing the pretty printers to
524                         // GDB's script auto loading safe path
525                         script_str.push_str(
526                             format!("add-auto-load-safe-path {}\n",
527                                     rust_pp_module_abs_path.replace("\\", "\\\\").as_slice())
528                                 .as_slice());
529                     }
530                 }
531                 _ => {
532                     println!("NOTE: compiletest does not know which version of \
533                               GDB it is using");
534                 }
535             }
536
537             // The following line actually doesn't have to do anything with
538             // pretty printing, it just tells GDB to print values on one line:
539             script_str.push_str("set print pretty off\n");
540
541             // Add the pretty printer directory to GDB's source-file search path
542             script_str.push_str(format!("directory {}\n", rust_pp_module_abs_path)[]);
543
544             // Load the target executable
545             script_str.push_str(format!("file {}\n",
546                                         exe_file.as_str().unwrap().replace("\\", "\\\\"))
547                                     .as_slice());
548
549             // Add line breakpoints
550             for line in breakpoint_lines.iter() {
551                 script_str.push_str(format!("break '{}':{}\n",
552                                             testfile.filename_display(),
553                                             *line)[]);
554             }
555
556             script_str.push_str(cmds.as_slice());
557             script_str.push_str("quit\n");
558
559             debug!("script_str = {}", script_str);
560             dump_output_file(config,
561                              testfile,
562                              script_str.as_slice(),
563                              "debugger.script");
564
565             // run debugger script with gdb
566             #[cfg(windows)]
567             fn debugger() -> String {
568                 "gdb.exe".to_string()
569             }
570             #[cfg(unix)]
571             fn debugger() -> String {
572                 "gdb".to_string()
573             }
574
575             let debugger_script = make_out_name(config, testfile, "debugger.script");
576
577             // FIXME (#9639): This needs to handle non-utf8 paths
578             let debugger_opts =
579                 vec!("-quiet".to_string(),
580                      "-batch".to_string(),
581                      "-nx".to_string(),
582                      format!("-command={}", debugger_script.as_str().unwrap()));
583
584             let proc_args = ProcArgs {
585                 prog: debugger(),
586                 args: debugger_opts,
587             };
588
589             let environment = vec![("PYTHONPATH".to_string(), rust_pp_module_abs_path)];
590
591             debugger_run_result = compose_and_run(config,
592                                                   testfile,
593                                                   proc_args,
594                                                   environment,
595                                                   config.run_lib_path.as_slice(),
596                                                   None,
597                                                   None);
598         }
599     }
600
601     if !debugger_run_result.status.success() {
602         fatal("gdb failed to execute");
603     }
604
605     check_debugger_output(&debugger_run_result, check_lines.as_slice());
606 }
607
608 fn find_rust_src_root(config: &Config) -> Option<Path> {
609     let mut path = config.src_base.clone();
610     let path_postfix = Path::new("src/etc/lldb_batchmode.py");
611
612     while path.pop() {
613         if path.join(&path_postfix).is_file() {
614             return Some(path);
615         }
616     }
617
618     return None;
619 }
620
621 fn run_debuginfo_lldb_test(config: &Config, props: &TestProps, testfile: &Path) {
622     use std::io::process::{Command, ProcessOutput};
623
624     if config.lldb_python_dir.is_none() {
625         fatal("Can't run LLDB test because LLDB's python path is not set.");
626     }
627
628     let mut config = Config {
629         target_rustcflags: cleanup_debug_info_options(&config.target_rustcflags),
630         host_rustcflags: cleanup_debug_info_options(&config.host_rustcflags),
631         .. config.clone()
632     };
633
634     let config = &mut config;
635
636     // compile test file (it should have 'compile-flags:-g' in the header)
637     let compile_result = compile_test(config, props, testfile);
638     if !compile_result.status.success() {
639         fatal_proc_rec("compilation failed!", &compile_result);
640     }
641
642     let exe_file = make_exe_name(config, testfile);
643
644     match config.lldb_version {
645         Some(ref version) => {
646             println!("NOTE: compiletest thinks it is using LLDB version {}",
647                      version.as_slice());
648         }
649         _ => {
650             println!("NOTE: compiletest does not know which version of \
651                       LLDB it is using");
652         }
653     }
654
655     // Parse debugger commands etc from test files
656     let DebuggerCommands {
657         commands,
658         check_lines,
659         breakpoint_lines,
660         ..
661     } = parse_debugger_commands(testfile, "lldb");
662
663     // Write debugger script:
664     // We don't want to hang when calling `quit` while the process is still running
665     let mut script_str = String::from_str("settings set auto-confirm true\n");
666
667     // Make LLDB emit its version, so we have it documented in the test output
668     script_str.push_str("version\n");
669
670     // Switch LLDB into "Rust mode"
671     let rust_src_root = find_rust_src_root(config)
672         .expect("Could not find Rust source root");
673     let rust_pp_module_rel_path = Path::new("./src/etc/lldb_rust_formatters.py");
674     let rust_pp_module_abs_path = rust_src_root.join(rust_pp_module_rel_path)
675                                                .as_str()
676                                                .unwrap()
677                                                .to_string();
678
679     script_str.push_str(format!("command script import {}\n", rust_pp_module_abs_path[])[]);
680     script_str.push_str("type summary add --no-value ");
681     script_str.push_str("--python-function lldb_rust_formatters.print_val ");
682     script_str.push_str("-x \".*\" --category Rust\n");
683     script_str.push_str("type category enable Rust\n");
684
685     // Set breakpoints on every line that contains the string "#break"
686     for line in breakpoint_lines.iter() {
687         script_str.push_str(format!("breakpoint set --line {}\n",
688                                     line).as_slice());
689     }
690
691     // Append the other commands
692     for line in commands.iter() {
693         script_str.push_str(line.as_slice());
694         script_str.push_str("\n");
695     }
696
697     // Finally, quit the debugger
698     script_str.push_str("quit\n");
699
700     // Write the script into a file
701     debug!("script_str = {}", script_str);
702     dump_output_file(config,
703                      testfile,
704                      script_str.as_slice(),
705                      "debugger.script");
706     let debugger_script = make_out_name(config, testfile, "debugger.script");
707
708     // Let LLDB execute the script via lldb_batchmode.py
709     let debugger_run_result = run_lldb(config,
710                                        &exe_file,
711                                        &debugger_script,
712                                        &rust_src_root);
713
714     if !debugger_run_result.status.success() {
715         fatal_proc_rec("Error while running LLDB", &debugger_run_result);
716     }
717
718     check_debugger_output(&debugger_run_result, check_lines.as_slice());
719
720     fn run_lldb(config: &Config,
721                 test_executable: &Path,
722                 debugger_script: &Path,
723                 rust_src_root: &Path)
724                 -> ProcRes {
725         // Prepare the lldb_batchmode which executes the debugger script
726         let lldb_script_path = rust_src_root.join(Path::new("./src/etc/lldb_batchmode.py"));
727
728         let mut cmd = Command::new("python");
729         cmd.arg(lldb_script_path)
730            .arg(test_executable)
731            .arg(debugger_script)
732            .env_set_all(&[("PYTHONPATH", config.lldb_python_dir.clone().unwrap().as_slice())]);
733
734         let (status, out, err) = match cmd.spawn() {
735             Ok(process) => {
736                 let ProcessOutput { status, output, error } =
737                     process.wait_with_output().unwrap();
738
739                 (status,
740                  String::from_utf8(output).unwrap(),
741                  String::from_utf8(error).unwrap())
742             },
743             Err(e) => {
744                 fatal(format!("Failed to setup Python process for \
745                                LLDB script: {}", e).as_slice())
746             }
747         };
748
749         dump_output(config, test_executable, out.as_slice(), err.as_slice());
750         return ProcRes {
751             status: status,
752             stdout: out,
753             stderr: err,
754             cmdline: format!("{}", cmd)
755         };
756     }
757 }
758
759 struct DebuggerCommands {
760     commands: Vec<String>,
761     check_lines: Vec<String>,
762     breakpoint_lines: Vec<uint>,
763 }
764
765 fn parse_debugger_commands(file_path: &Path, debugger_prefix: &str)
766                            -> DebuggerCommands {
767     use std::io::{BufferedReader, File};
768
769     let command_directive = format!("{}-command", debugger_prefix);
770     let check_directive = format!("{}-check", debugger_prefix);
771
772     let mut breakpoint_lines = vec!();
773     let mut commands = vec!();
774     let mut check_lines = vec!();
775     let mut counter = 1;
776     let mut reader = BufferedReader::new(File::open(file_path).unwrap());
777     for line in reader.lines() {
778         match line {
779             Ok(line) => {
780                 if line.as_slice().contains("#break") {
781                     breakpoint_lines.push(counter);
782                 }
783
784                 header::parse_name_value_directive(
785                         line.as_slice(),
786                         command_directive.as_slice()).map(|cmd| {
787                     commands.push(cmd)
788                 });
789
790                 header::parse_name_value_directive(
791                         line.as_slice(),
792                         check_directive.as_slice()).map(|cmd| {
793                     check_lines.push(cmd)
794                 });
795             }
796             Err(e) => {
797                 fatal(format!("Error while parsing debugger commands: {}",
798                               e).as_slice())
799             }
800         }
801         counter += 1;
802     }
803
804     DebuggerCommands {
805         commands: commands,
806         check_lines: check_lines,
807         breakpoint_lines: breakpoint_lines,
808     }
809 }
810
811 fn cleanup_debug_info_options(options: &Option<String>) -> Option<String> {
812     if options.is_none() {
813         return None;
814     }
815
816     // Remove options that are either unwanted (-O) or may lead to duplicates due to RUSTFLAGS.
817     let options_to_remove = [
818         "-O".to_string(),
819         "-g".to_string(),
820         "--debuginfo".to_string()
821     ];
822     let new_options =
823         split_maybe_args(options).into_iter()
824                                  .filter(|x| !options_to_remove.contains(x))
825                                  .collect::<Vec<String>>()
826                                  .connect(" ");
827     Some(new_options)
828 }
829
830 fn check_debugger_output(debugger_run_result: &ProcRes, check_lines: &[String]) {
831     let num_check_lines = check_lines.len();
832     if num_check_lines > 0 {
833         // Allow check lines to leave parts unspecified (e.g., uninitialized
834         // bits in the wrong case of an enum) with the notation "[...]".
835         let check_fragments: Vec<Vec<String>> =
836             check_lines.iter().map(|s| {
837                 s.as_slice()
838                  .trim()
839                  .split_str("[...]")
840                  .map(|x| x.to_string())
841                  .collect()
842             }).collect();
843         // check if each line in props.check_lines appears in the
844         // output (in order)
845         let mut i = 0u;
846         for line in debugger_run_result.stdout.as_slice().lines() {
847             let mut rest = line.trim();
848             let mut first = true;
849             let mut failed = false;
850             for frag in check_fragments[i].iter() {
851                 let found = if first {
852                     if rest.starts_with(frag.as_slice()) {
853                         Some(0)
854                     } else {
855                         None
856                     }
857                 } else {
858                     rest.find_str(frag.as_slice())
859                 };
860                 match found {
861                     None => {
862                         failed = true;
863                         break;
864                     }
865                     Some(i) => {
866                         rest = rest.slice_from(i + frag.len());
867                     }
868                 }
869                 first = false;
870             }
871             if !failed && rest.len() == 0 {
872                 i += 1u;
873             }
874             if i == num_check_lines {
875                 // all lines checked
876                 break;
877             }
878         }
879         if i != num_check_lines {
880             fatal_proc_rec(format!("line not found in debugger output: {}",
881                                   check_lines.get(i).unwrap()).as_slice(),
882                           debugger_run_result);
883         }
884     }
885 }
886
887 fn check_error_patterns(props: &TestProps,
888                         testfile: &Path,
889                         output_to_check: &str,
890                         proc_res: &ProcRes) {
891     if props.error_patterns.is_empty() {
892         fatal(format!("no error pattern specified in {}",
893                       testfile.display()).as_slice());
894     }
895     let mut next_err_idx = 0u;
896     let mut next_err_pat = &props.error_patterns[next_err_idx];
897     let mut done = false;
898     for line in output_to_check.as_slice().lines() {
899         if line.contains(next_err_pat.as_slice()) {
900             debug!("found error pattern {}", next_err_pat);
901             next_err_idx += 1u;
902             if next_err_idx == props.error_patterns.len() {
903                 debug!("found all error patterns");
904                 done = true;
905                 break;
906             }
907             next_err_pat = &props.error_patterns[next_err_idx];
908         }
909     }
910     if done { return; }
911
912     let missing_patterns =
913         props.error_patterns[next_err_idx..];
914     if missing_patterns.len() == 1u {
915         fatal_proc_rec(format!("error pattern '{}' not found!",
916                               missing_patterns[0]).as_slice(),
917                       proc_res);
918     } else {
919         for pattern in missing_patterns.iter() {
920             error(format!("error pattern '{}' not found!",
921                           *pattern).as_slice());
922         }
923         fatal_proc_rec("multiple error patterns not found", proc_res);
924     }
925 }
926
927 fn check_no_compiler_crash(proc_res: &ProcRes) {
928     for line in proc_res.stderr.as_slice().lines() {
929         if line.starts_with("error: internal compiler error:") {
930             fatal_proc_rec("compiler encountered internal error",
931                           proc_res);
932         }
933     }
934 }
935
936 fn check_forbid_output(props: &TestProps,
937                        output_to_check: &str,
938                        proc_res: &ProcRes) {
939     for pat in props.forbid_output.iter() {
940         if output_to_check.contains(pat.as_slice()) {
941             fatal_proc_rec("forbidden pattern found in compiler output", proc_res);
942         }
943     }
944 }
945
946 fn check_expected_errors(expected_errors: Vec<errors::ExpectedError> ,
947                          testfile: &Path,
948                          proc_res: &ProcRes) {
949
950     // true if we found the error in question
951     let mut found_flags: Vec<_> = repeat(false).take(expected_errors.len()).collect();
952
953     if proc_res.status.success() {
954         fatal("process did not return an error status");
955     }
956
957     let prefixes = expected_errors.iter().map(|ee| {
958         format!("{}:{}:", testfile.display(), ee.line)
959     }).collect::<Vec<String> >();
960
961     #[cfg(windows)]
962     fn prefix_matches( line : &str, prefix : &str ) -> bool {
963         line.to_ascii_lowercase().starts_with(prefix.to_ascii_lowercase().as_slice())
964     }
965
966     #[cfg(unix)]
967     fn prefix_matches( line : &str, prefix : &str ) -> bool {
968         line.starts_with( prefix )
969     }
970
971     // Scan and extract our error/warning messages,
972     // which look like:
973     //    filename:line1:col1: line2:col2: *error:* msg
974     //    filename:line1:col1: line2:col2: *warning:* msg
975     // where line1:col1: is the starting point, line2:col2:
976     // is the ending point, and * represents ANSI color codes.
977     for line in proc_res.stderr.as_slice().lines() {
978         let mut was_expected = false;
979         for (i, ee) in expected_errors.iter().enumerate() {
980             if !found_flags[i] {
981                 debug!("prefix={} ee.kind={} ee.msg={} line={}",
982                        prefixes[i].as_slice(),
983                        ee.kind,
984                        ee.msg,
985                        line);
986                 if prefix_matches(line, prefixes[i].as_slice()) &&
987                     line.contains(ee.kind.as_slice()) &&
988                     line.contains(ee.msg.as_slice()) {
989                     found_flags[i] = true;
990                     was_expected = true;
991                     break;
992                 }
993             }
994         }
995
996         // ignore this msg which gets printed at the end
997         if line.contains("aborting due to") {
998             was_expected = true;
999         }
1000
1001         if !was_expected && is_compiler_error_or_warning(line) {
1002             fatal_proc_rec(format!("unexpected compiler error or warning: '{}'",
1003                                   line).as_slice(),
1004                           proc_res);
1005         }
1006     }
1007
1008     for (i, &flag) in found_flags.iter().enumerate() {
1009         if !flag {
1010             let ee = &expected_errors[i];
1011             fatal_proc_rec(format!("expected {} on line {} not found: {}",
1012                                   ee.kind, ee.line, ee.msg).as_slice(),
1013                           proc_res);
1014         }
1015     }
1016 }
1017
1018 fn is_compiler_error_or_warning(line: &str) -> bool {
1019     let mut i = 0u;
1020     return
1021         scan_until_char(line, ':', &mut i) &&
1022         scan_char(line, ':', &mut i) &&
1023         scan_integer(line, &mut i) &&
1024         scan_char(line, ':', &mut i) &&
1025         scan_integer(line, &mut i) &&
1026         scan_char(line, ':', &mut i) &&
1027         scan_char(line, ' ', &mut i) &&
1028         scan_integer(line, &mut i) &&
1029         scan_char(line, ':', &mut i) &&
1030         scan_integer(line, &mut i) &&
1031         scan_char(line, ' ', &mut i) &&
1032         (scan_string(line, "error", &mut i) ||
1033          scan_string(line, "warning", &mut i));
1034 }
1035
1036 fn scan_until_char(haystack: &str, needle: char, idx: &mut uint) -> bool {
1037     if *idx >= haystack.len() {
1038         return false;
1039     }
1040     let opt = haystack.slice_from(*idx).find(needle);
1041     if opt.is_none() {
1042         return false;
1043     }
1044     *idx = opt.unwrap();
1045     return true;
1046 }
1047
1048 fn scan_char(haystack: &str, needle: char, idx: &mut uint) -> bool {
1049     if *idx >= haystack.len() {
1050         return false;
1051     }
1052     let range = haystack.char_range_at(*idx);
1053     if range.ch != needle {
1054         return false;
1055     }
1056     *idx = range.next;
1057     return true;
1058 }
1059
1060 fn scan_integer(haystack: &str, idx: &mut uint) -> bool {
1061     let mut i = *idx;
1062     while i < haystack.len() {
1063         let range = haystack.char_range_at(i);
1064         if range.ch < '0' || '9' < range.ch {
1065             break;
1066         }
1067         i = range.next;
1068     }
1069     if i == *idx {
1070         return false;
1071     }
1072     *idx = i;
1073     return true;
1074 }
1075
1076 fn scan_string(haystack: &str, needle: &str, idx: &mut uint) -> bool {
1077     let mut haystack_i = *idx;
1078     let mut needle_i = 0u;
1079     while needle_i < needle.len() {
1080         if haystack_i >= haystack.len() {
1081             return false;
1082         }
1083         let range = haystack.char_range_at(haystack_i);
1084         haystack_i = range.next;
1085         if !scan_char(needle, range.ch, &mut needle_i) {
1086             return false;
1087         }
1088     }
1089     *idx = haystack_i;
1090     return true;
1091 }
1092
1093 struct ProcArgs {
1094     prog: String,
1095     args: Vec<String>,
1096 }
1097
1098 struct ProcRes {
1099     status: ProcessExit,
1100     stdout: String,
1101     stderr: String,
1102     cmdline: String,
1103 }
1104
1105 fn compile_test(config: &Config, props: &TestProps,
1106                 testfile: &Path) -> ProcRes {
1107     compile_test_(config, props, testfile, &[])
1108 }
1109
1110 fn jit_test(config: &Config, props: &TestProps, testfile: &Path) -> ProcRes {
1111     compile_test_(config, props, testfile, &["--jit".to_string()])
1112 }
1113
1114 fn compile_test_(config: &Config, props: &TestProps,
1115                  testfile: &Path, extra_args: &[String]) -> ProcRes {
1116     let aux_dir = aux_output_dir_name(config, testfile);
1117     // FIXME (#9639): This needs to handle non-utf8 paths
1118     let mut link_args = vec!("-L".to_string(),
1119                              aux_dir.as_str().unwrap().to_string());
1120     link_args.extend(extra_args.iter().map(|s| s.clone()));
1121     let args = make_compile_args(config,
1122                                  props,
1123                                  link_args,
1124                                  |a, b| TargetLocation::ThisFile(make_exe_name(a, b)), testfile);
1125     compose_and_run_compiler(config, props, testfile, args, None)
1126 }
1127
1128 fn exec_compiled_test(config: &Config, props: &TestProps,
1129                       testfile: &Path) -> ProcRes {
1130
1131     let env = props.exec_env.clone();
1132
1133     match config.target.as_slice() {
1134
1135         "arm-linux-androideabi" => {
1136             _arm_exec_compiled_test(config, props, testfile, env)
1137         }
1138
1139         _=> {
1140             let aux_dir = aux_output_dir_name(config, testfile);
1141             compose_and_run(config,
1142                             testfile,
1143                             make_run_args(config, props, testfile),
1144                             env,
1145                             config.run_lib_path.as_slice(),
1146                             Some(aux_dir.as_str().unwrap()),
1147                             None)
1148         }
1149     }
1150 }
1151
1152 fn compose_and_run_compiler(
1153     config: &Config,
1154     props: &TestProps,
1155     testfile: &Path,
1156     args: ProcArgs,
1157     input: Option<String>) -> ProcRes {
1158
1159     if !props.aux_builds.is_empty() {
1160         ensure_dir(&aux_output_dir_name(config, testfile));
1161     }
1162
1163     let aux_dir = aux_output_dir_name(config, testfile);
1164     // FIXME (#9639): This needs to handle non-utf8 paths
1165     let extra_link_args = vec!("-L".to_string(), aux_dir.as_str().unwrap().to_string());
1166
1167     for rel_ab in props.aux_builds.iter() {
1168         let abs_ab = config.aux_base.join(rel_ab.as_slice());
1169         let aux_props = header::load_props(&abs_ab);
1170         let mut crate_type = if aux_props.no_prefer_dynamic {
1171             Vec::new()
1172         } else {
1173             vec!("--crate-type=dylib".to_string())
1174         };
1175         crate_type.extend(extra_link_args.clone().into_iter());
1176         let aux_args =
1177             make_compile_args(config,
1178                               &aux_props,
1179                               crate_type,
1180                               |a,b| {
1181                                   let f = make_lib_name(a, b, testfile);
1182                                   TargetLocation::ThisDirectory(f.dir_path())
1183                               },
1184                               &abs_ab);
1185         let auxres = compose_and_run(config,
1186                                      &abs_ab,
1187                                      aux_args,
1188                                      Vec::new(),
1189                                      config.compile_lib_path.as_slice(),
1190                                      Some(aux_dir.as_str().unwrap()),
1191                                      None);
1192         if !auxres.status.success() {
1193             fatal_proc_rec(
1194                 format!("auxiliary build of {} failed to compile: ",
1195                         abs_ab.display()).as_slice(),
1196                 &auxres);
1197         }
1198
1199         match config.target.as_slice() {
1200             "arm-linux-androideabi" => {
1201                 _arm_push_aux_shared_library(config, testfile);
1202             }
1203             _ => {}
1204         }
1205     }
1206
1207     compose_and_run(config,
1208                     testfile,
1209                     args,
1210                     Vec::new(),
1211                     config.compile_lib_path.as_slice(),
1212                     Some(aux_dir.as_str().unwrap()),
1213                     input)
1214 }
1215
1216 fn ensure_dir(path: &Path) {
1217     if path.is_dir() { return; }
1218     fs::mkdir(path, io::USER_RWX).unwrap();
1219 }
1220
1221 fn compose_and_run(config: &Config, testfile: &Path,
1222                    ProcArgs{ args, prog }: ProcArgs,
1223                    procenv: Vec<(String, String)> ,
1224                    lib_path: &str,
1225                    aux_path: Option<&str>,
1226                    input: Option<String>) -> ProcRes {
1227     return program_output(config, testfile, lib_path,
1228                           prog, aux_path, args, procenv, input);
1229 }
1230
1231 enum TargetLocation {
1232     ThisFile(Path),
1233     ThisDirectory(Path),
1234 }
1235
1236 fn make_compile_args<F>(config: &Config,
1237                         props: &TestProps,
1238                         extras: Vec<String> ,
1239                         xform: F,
1240                         testfile: &Path)
1241                         -> ProcArgs where
1242     F: FnOnce(&Config, &Path) -> TargetLocation,
1243 {
1244     let xform_file = xform(config, testfile);
1245     let target = if props.force_host {
1246         config.host.as_slice()
1247     } else {
1248         config.target.as_slice()
1249     };
1250     // FIXME (#9639): This needs to handle non-utf8 paths
1251     let mut args = vec!(testfile.as_str().unwrap().to_string(),
1252                         "-L".to_string(),
1253                         config.build_base.as_str().unwrap().to_string(),
1254                         format!("--target={}", target));
1255     args.push_all(extras.as_slice());
1256     if !props.no_prefer_dynamic {
1257         args.push("-C".to_string());
1258         args.push("prefer-dynamic".to_string());
1259     }
1260     let path = match xform_file {
1261         TargetLocation::ThisFile(path) => {
1262             args.push("-o".to_string());
1263             path
1264         }
1265         TargetLocation::ThisDirectory(path) => {
1266             args.push("--out-dir".to_string());
1267             path
1268         }
1269     };
1270     args.push(path.as_str().unwrap().to_string());
1271     if props.force_host {
1272         args.extend(split_maybe_args(&config.host_rustcflags).into_iter());
1273     } else {
1274         args.extend(split_maybe_args(&config.target_rustcflags).into_iter());
1275     }
1276     args.extend(split_maybe_args(&props.compile_flags).into_iter());
1277     return ProcArgs {
1278         prog: config.rustc_path.as_str().unwrap().to_string(),
1279         args: args,
1280     };
1281 }
1282
1283 fn make_lib_name(config: &Config, auxfile: &Path, testfile: &Path) -> Path {
1284     // what we return here is not particularly important, as it
1285     // happens; rustc ignores everything except for the directory.
1286     let auxname = output_testname(auxfile);
1287     aux_output_dir_name(config, testfile).join(&auxname)
1288 }
1289
1290 fn make_exe_name(config: &Config, testfile: &Path) -> Path {
1291     let mut f = output_base_name(config, testfile);
1292     if !os::consts::EXE_SUFFIX.is_empty() {
1293         let mut fname = f.filename().unwrap().to_vec();
1294         fname.extend(os::consts::EXE_SUFFIX.bytes());
1295         f.set_filename(fname);
1296     }
1297     f
1298 }
1299
1300 fn make_run_args(config: &Config, props: &TestProps, testfile: &Path) ->
1301    ProcArgs {
1302     // If we've got another tool to run under (valgrind),
1303     // then split apart its command
1304     let mut args = split_maybe_args(&config.runtool);
1305     let exe_file = make_exe_name(config, testfile);
1306
1307     // FIXME (#9639): This needs to handle non-utf8 paths
1308     args.push(exe_file.as_str().unwrap().to_string());
1309
1310     // Add the arguments in the run_flags directive
1311     args.extend(split_maybe_args(&props.run_flags).into_iter());
1312
1313     let prog = args.remove(0);
1314     return ProcArgs {
1315         prog: prog,
1316         args: args,
1317     };
1318 }
1319
1320 fn split_maybe_args(argstr: &Option<String>) -> Vec<String> {
1321     match *argstr {
1322         Some(ref s) => {
1323             s.as_slice()
1324              .split(' ')
1325              .filter_map(|s| {
1326                  if s.chars().all(|c| c.is_whitespace()) {
1327                      None
1328                  } else {
1329                      Some(s.to_string())
1330                  }
1331              }).collect()
1332         }
1333         None => Vec::new()
1334     }
1335 }
1336
1337 fn program_output(config: &Config, testfile: &Path, lib_path: &str, prog: String,
1338                   aux_path: Option<&str>, args: Vec<String>,
1339                   env: Vec<(String, String)>,
1340                   input: Option<String>) -> ProcRes {
1341     let cmdline =
1342         {
1343             let cmdline = make_cmdline(lib_path,
1344                                        prog.as_slice(),
1345                                        args.as_slice());
1346             logv(config, format!("executing {}", cmdline));
1347             cmdline
1348         };
1349     let procsrv::Result {
1350         out,
1351         err,
1352         status
1353     } = procsrv::run(lib_path,
1354                      prog.as_slice(),
1355                      aux_path,
1356                      args.as_slice(),
1357                      env,
1358                      input).expect(format!("failed to exec `{}`", prog).as_slice());
1359     dump_output(config, testfile, out.as_slice(), err.as_slice());
1360     return ProcRes {
1361         status: status,
1362         stdout: out,
1363         stderr: err,
1364         cmdline: cmdline,
1365     };
1366 }
1367
1368 // Linux and mac don't require adjusting the library search path
1369 #[cfg(unix)]
1370 fn make_cmdline(_libpath: &str, prog: &str, args: &[String]) -> String {
1371     format!("{} {}", prog, args.connect(" "))
1372 }
1373
1374 #[cfg(windows)]
1375 fn make_cmdline(libpath: &str, prog: &str, args: &[String]) -> String {
1376
1377     // Build the LD_LIBRARY_PATH variable as it would be seen on the command line
1378     // for diagnostic purposes
1379     fn lib_path_cmd_prefix(path: &str) -> String {
1380         format!("{}=\"{}\"", util::lib_path_env_var(), util::make_new_path(path))
1381     }
1382
1383     format!("{} {} {}", lib_path_cmd_prefix(libpath), prog, args.connect(" "))
1384 }
1385
1386 fn dump_output(config: &Config, testfile: &Path, out: &str, err: &str) {
1387     dump_output_file(config, testfile, out, "out");
1388     dump_output_file(config, testfile, err, "err");
1389     maybe_dump_to_stdout(config, out, err);
1390 }
1391
1392 fn dump_output_file(config: &Config, testfile: &Path,
1393                     out: &str, extension: &str) {
1394     let outfile = make_out_name(config, testfile, extension);
1395     File::create(&outfile).write(out.as_bytes()).unwrap();
1396 }
1397
1398 fn make_out_name(config: &Config, testfile: &Path, extension: &str) -> Path {
1399     output_base_name(config, testfile).with_extension(extension)
1400 }
1401
1402 fn aux_output_dir_name(config: &Config, testfile: &Path) -> Path {
1403     let f = output_base_name(config, testfile);
1404     let mut fname = f.filename().unwrap().to_vec();
1405     fname.extend("libaux".bytes());
1406     f.with_filename(fname)
1407 }
1408
1409 fn output_testname(testfile: &Path) -> Path {
1410     Path::new(testfile.filestem().unwrap())
1411 }
1412
1413 fn output_base_name(config: &Config, testfile: &Path) -> Path {
1414     config.build_base
1415         .join(&output_testname(testfile))
1416         .with_extension(config.stage_id.as_slice())
1417 }
1418
1419 fn maybe_dump_to_stdout(config: &Config, out: &str, err: &str) {
1420     if config.verbose {
1421         println!("------{}------------------------------", "stdout");
1422         println!("{}", out);
1423         println!("------{}------------------------------", "stderr");
1424         println!("{}", err);
1425         println!("------------------------------------------");
1426     }
1427 }
1428
1429 fn error(err: &str) { println!("\nerror: {}", err); }
1430
1431 fn fatal(err: &str) -> ! { error(err); panic!(); }
1432
1433 fn fatal_proc_rec(err: &str, proc_res: &ProcRes) -> ! {
1434     print!("\n\
1435 error: {}\n\
1436 status: {}\n\
1437 command: {}\n\
1438 stdout:\n\
1439 ------------------------------------------\n\
1440 {}\n\
1441 ------------------------------------------\n\
1442 stderr:\n\
1443 ------------------------------------------\n\
1444 {}\n\
1445 ------------------------------------------\n\
1446 \n",
1447              err, proc_res.status, proc_res.cmdline, proc_res.stdout,
1448              proc_res.stderr);
1449     panic!();
1450 }
1451
1452 fn _arm_exec_compiled_test(config: &Config,
1453                            props: &TestProps,
1454                            testfile: &Path,
1455                            env: Vec<(String, String)>)
1456                            -> ProcRes {
1457     let args = make_run_args(config, props, testfile);
1458     let cmdline = make_cmdline("",
1459                                args.prog.as_slice(),
1460                                args.args.as_slice());
1461
1462     // get bare program string
1463     let mut tvec: Vec<String> = args.prog
1464                                     .as_slice()
1465                                     .split('/')
1466                                     .map(|ts| ts.to_string())
1467                                     .collect();
1468     let prog_short = tvec.pop().unwrap();
1469
1470     // copy to target
1471     let copy_result = procsrv::run("",
1472                                    config.adb_path.as_slice(),
1473                                    None,
1474                                    &[
1475                                     "push".to_string(),
1476                                     args.prog.clone(),
1477                                     config.adb_test_dir.clone()
1478                                    ],
1479                                    vec!(("".to_string(), "".to_string())),
1480                                    Some("".to_string()))
1481         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1482
1483     if config.verbose {
1484         println!("push ({}) {} {} {}",
1485                  config.target,
1486                  args.prog,
1487                  copy_result.out,
1488                  copy_result.err);
1489     }
1490
1491     logv(config, format!("executing ({}) {}", config.target, cmdline));
1492
1493     let mut runargs = Vec::new();
1494
1495     // run test via adb_run_wrapper
1496     runargs.push("shell".to_string());
1497     for (key, val) in env.into_iter() {
1498         runargs.push(format!("{}={}", key, val));
1499     }
1500     runargs.push(format!("{}/adb_run_wrapper.sh", config.adb_test_dir));
1501     runargs.push(format!("{}", config.adb_test_dir));
1502     runargs.push(format!("{}", prog_short));
1503
1504     for tv in args.args.iter() {
1505         runargs.push(tv.to_string());
1506     }
1507     procsrv::run("",
1508                  config.adb_path.as_slice(),
1509                  None,
1510                  runargs.as_slice(),
1511                  vec!(("".to_string(), "".to_string())), Some("".to_string()))
1512         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1513
1514     // get exitcode of result
1515     runargs = Vec::new();
1516     runargs.push("shell".to_string());
1517     runargs.push("cat".to_string());
1518     runargs.push(format!("{}/{}.exitcode", config.adb_test_dir, prog_short));
1519
1520     let procsrv::Result{ out: exitcode_out, err: _, status: _ } =
1521         procsrv::run("",
1522                      config.adb_path.as_slice(),
1523                      None,
1524                      runargs.as_slice(),
1525                      vec!(("".to_string(), "".to_string())),
1526                      Some("".to_string()))
1527         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1528
1529     let mut exitcode: int = 0;
1530     for c in exitcode_out.as_slice().chars() {
1531         if !c.is_numeric() { break; }
1532         exitcode = exitcode * 10 + match c {
1533             '0' ... '9' => c as int - ('0' as int),
1534             _ => 101,
1535         }
1536     }
1537
1538     // get stdout of result
1539     runargs = Vec::new();
1540     runargs.push("shell".to_string());
1541     runargs.push("cat".to_string());
1542     runargs.push(format!("{}/{}.stdout", config.adb_test_dir, prog_short));
1543
1544     let procsrv::Result{ out: stdout_out, err: _, status: _ } =
1545         procsrv::run("",
1546                      config.adb_path.as_slice(),
1547                      None,
1548                      runargs.as_slice(),
1549                      vec!(("".to_string(), "".to_string())),
1550                      Some("".to_string()))
1551         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1552
1553     // get stderr of result
1554     runargs = Vec::new();
1555     runargs.push("shell".to_string());
1556     runargs.push("cat".to_string());
1557     runargs.push(format!("{}/{}.stderr", config.adb_test_dir, prog_short));
1558
1559     let procsrv::Result{ out: stderr_out, err: _, status: _ } =
1560         procsrv::run("",
1561                      config.adb_path.as_slice(),
1562                      None,
1563                      runargs.as_slice(),
1564                      vec!(("".to_string(), "".to_string())),
1565                      Some("".to_string()))
1566         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1567
1568     dump_output(config,
1569                 testfile,
1570                 stdout_out.as_slice(),
1571                 stderr_out.as_slice());
1572
1573     ProcRes {
1574         status: process::ProcessExit::ExitStatus(exitcode),
1575         stdout: stdout_out,
1576         stderr: stderr_out,
1577         cmdline: cmdline
1578     }
1579 }
1580
1581 fn _arm_push_aux_shared_library(config: &Config, testfile: &Path) {
1582     let tdir = aux_output_dir_name(config, testfile);
1583
1584     let dirs = fs::readdir(&tdir).unwrap();
1585     for file in dirs.iter() {
1586         if file.extension_str() == Some("so") {
1587             // FIXME (#9639): This needs to handle non-utf8 paths
1588             let copy_result = procsrv::run("",
1589                                            config.adb_path.as_slice(),
1590                                            None,
1591                                            &[
1592                                             "push".to_string(),
1593                                             file.as_str()
1594                                                 .unwrap()
1595                                                 .to_string(),
1596                                             config.adb_test_dir.to_string()
1597                                            ],
1598                                            vec!(("".to_string(),
1599                                                  "".to_string())),
1600                                            Some("".to_string()))
1601                 .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1602
1603             if config.verbose {
1604                 println!("push ({}) {} {} {}",
1605                     config.target, file.display(),
1606                     copy_result.out, copy_result.err);
1607             }
1608         }
1609     }
1610 }
1611
1612 // codegen tests (vs. clang)
1613
1614 fn append_suffix_to_stem(p: &Path, suffix: &str) -> Path {
1615     if suffix.len() == 0 {
1616         (*p).clone()
1617     } else {
1618         let mut stem = p.filestem().unwrap().to_vec();
1619         stem.extend("-".bytes());
1620         stem.extend(suffix.bytes());
1621         p.with_filename(stem)
1622     }
1623 }
1624
1625 fn compile_test_and_save_bitcode(config: &Config, props: &TestProps,
1626                                  testfile: &Path) -> ProcRes {
1627     let aux_dir = aux_output_dir_name(config, testfile);
1628     // FIXME (#9639): This needs to handle non-utf8 paths
1629     let mut link_args = vec!("-L".to_string(),
1630                              aux_dir.as_str().unwrap().to_string());
1631     let llvm_args = vec!("--emit=llvm-bc,obj".to_string(),
1632                          "--crate-type=lib".to_string());
1633     link_args.extend(llvm_args.into_iter());
1634     let args = make_compile_args(config,
1635                                  props,
1636                                  link_args,
1637                                  |a, b| TargetLocation::ThisDirectory(
1638                                      output_base_name(a, b).dir_path()),
1639                                  testfile);
1640     compose_and_run_compiler(config, props, testfile, args, None)
1641 }
1642
1643 fn compile_cc_with_clang_and_save_bitcode(config: &Config, _props: &TestProps,
1644                                           testfile: &Path) -> ProcRes {
1645     let bitcodefile = output_base_name(config, testfile).with_extension("bc");
1646     let bitcodefile = append_suffix_to_stem(&bitcodefile, "clang");
1647     let testcc = testfile.with_extension("cc");
1648     let proc_args = ProcArgs {
1649         // FIXME (#9639): This needs to handle non-utf8 paths
1650         prog: config.clang_path.as_ref().unwrap().as_str().unwrap().to_string(),
1651         args: vec!("-c".to_string(),
1652                    "-emit-llvm".to_string(),
1653                    "-o".to_string(),
1654                    bitcodefile.as_str().unwrap().to_string(),
1655                    testcc.as_str().unwrap().to_string())
1656     };
1657     compose_and_run(config, testfile, proc_args, Vec::new(), "", None, None)
1658 }
1659
1660 fn extract_function_from_bitcode(config: &Config, _props: &TestProps,
1661                                  fname: &str, testfile: &Path,
1662                                  suffix: &str) -> ProcRes {
1663     let bitcodefile = output_base_name(config, testfile).with_extension("bc");
1664     let bitcodefile = append_suffix_to_stem(&bitcodefile, suffix);
1665     let extracted_bc = append_suffix_to_stem(&bitcodefile, "extract");
1666     let prog = config.llvm_bin_path.as_ref().unwrap().join("llvm-extract");
1667     let proc_args = ProcArgs {
1668         // FIXME (#9639): This needs to handle non-utf8 paths
1669         prog: prog.as_str().unwrap().to_string(),
1670         args: vec!(format!("-func={}", fname),
1671                    format!("-o={}", extracted_bc.as_str().unwrap()),
1672                    bitcodefile.as_str().unwrap().to_string())
1673     };
1674     compose_and_run(config, testfile, proc_args, Vec::new(), "", None, None)
1675 }
1676
1677 fn disassemble_extract(config: &Config, _props: &TestProps,
1678                        testfile: &Path, suffix: &str) -> ProcRes {
1679     let bitcodefile = output_base_name(config, testfile).with_extension("bc");
1680     let bitcodefile = append_suffix_to_stem(&bitcodefile, suffix);
1681     let extracted_bc = append_suffix_to_stem(&bitcodefile, "extract");
1682     let extracted_ll = extracted_bc.with_extension("ll");
1683     let prog = config.llvm_bin_path.as_ref().unwrap().join("llvm-dis");
1684     let proc_args = ProcArgs {
1685         // FIXME (#9639): This needs to handle non-utf8 paths
1686         prog: prog.as_str().unwrap().to_string(),
1687         args: vec!(format!("-o={}", extracted_ll.as_str().unwrap()),
1688                    extracted_bc.as_str().unwrap().to_string())
1689     };
1690     compose_and_run(config, testfile, proc_args, Vec::new(), "", None, None)
1691 }
1692
1693
1694 fn count_extracted_lines(p: &Path) -> uint {
1695     let x = File::open(&p.with_extension("ll")).read_to_end().unwrap();
1696     let x = str::from_utf8(x.as_slice()).unwrap();
1697     x.lines().count()
1698 }
1699
1700
1701 fn run_codegen_test(config: &Config, props: &TestProps,
1702                     testfile: &Path, mm: &mut MetricMap) {
1703
1704     if config.llvm_bin_path.is_none() {
1705         fatal("missing --llvm-bin-path");
1706     }
1707
1708     if config.clang_path.is_none() {
1709         fatal("missing --clang-path");
1710     }
1711
1712     let mut proc_res = compile_test_and_save_bitcode(config, props, testfile);
1713     if !proc_res.status.success() {
1714         fatal_proc_rec("compilation failed!", &proc_res);
1715     }
1716
1717     proc_res = extract_function_from_bitcode(config, props, "test", testfile, "");
1718     if !proc_res.status.success() {
1719         fatal_proc_rec("extracting 'test' function failed",
1720                       &proc_res);
1721     }
1722
1723     proc_res = disassemble_extract(config, props, testfile, "");
1724     if !proc_res.status.success() {
1725         fatal_proc_rec("disassembling extract failed", &proc_res);
1726     }
1727
1728
1729     let mut proc_res = compile_cc_with_clang_and_save_bitcode(config, props, testfile);
1730     if !proc_res.status.success() {
1731         fatal_proc_rec("compilation failed!", &proc_res);
1732     }
1733
1734     proc_res = extract_function_from_bitcode(config, props, "test", testfile, "clang");
1735     if !proc_res.status.success() {
1736         fatal_proc_rec("extracting 'test' function failed",
1737                       &proc_res);
1738     }
1739
1740     proc_res = disassemble_extract(config, props, testfile, "clang");
1741     if !proc_res.status.success() {
1742         fatal_proc_rec("disassembling extract failed", &proc_res);
1743     }
1744
1745     let base = output_base_name(config, testfile);
1746     let base_extract = append_suffix_to_stem(&base, "extract");
1747
1748     let base_clang = append_suffix_to_stem(&base, "clang");
1749     let base_clang_extract = append_suffix_to_stem(&base_clang, "extract");
1750
1751     let base_lines = count_extracted_lines(&base_extract);
1752     let clang_lines = count_extracted_lines(&base_clang_extract);
1753
1754     mm.insert_metric("clang-codegen-ratio",
1755                      (base_lines as f64) / (clang_lines as f64),
1756                      0.001);
1757 }