]> git.lizzy.rs Git - rust.git/blob - src/compiletest/runtest.rs
debuginfo: Make debuginfo source location assignment more stable (Pt. 1)
[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::scoped(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
548             // Add line breakpoints
549             for line in breakpoint_lines.iter() {
550                 script_str.push_str(&format!("break '{:?}':{}\n",
551                                              testfile.filename_display(),
552                                              *line)[]);
553             }
554
555             script_str.push_str(cmds.as_slice());
556             script_str.push_str("quit\n");
557
558             debug!("script_str = {}", script_str);
559             dump_output_file(config,
560                              testfile,
561                              script_str.as_slice(),
562                              "debugger.script");
563
564             // run debugger script with gdb
565             #[cfg(windows)]
566             fn debugger() -> String {
567                 "gdb.exe".to_string()
568             }
569             #[cfg(unix)]
570             fn debugger() -> String {
571                 "gdb".to_string()
572             }
573
574             let debugger_script = make_out_name(config, testfile, "debugger.script");
575
576             // FIXME (#9639): This needs to handle non-utf8 paths
577             let debugger_opts =
578                 vec!("-quiet".to_string(),
579                      "-batch".to_string(),
580                      "-nx".to_string(),
581                      format!("-command={}", debugger_script.as_str().unwrap()));
582
583             let proc_args = ProcArgs {
584                 prog: debugger(),
585                 args: debugger_opts,
586             };
587
588             let environment = vec![("PYTHONPATH".to_string(), rust_pp_module_abs_path)];
589
590             debugger_run_result = compose_and_run(config,
591                                                   testfile,
592                                                   proc_args,
593                                                   environment,
594                                                   config.run_lib_path.as_slice(),
595                                                   None,
596                                                   None);
597         }
598     }
599
600     if !debugger_run_result.status.success() {
601         fatal("gdb failed to execute");
602     }
603
604     check_debugger_output(&debugger_run_result, check_lines.as_slice());
605 }
606
607 fn find_rust_src_root(config: &Config) -> Option<Path> {
608     let mut path = config.src_base.clone();
609     let path_postfix = Path::new("src/etc/lldb_batchmode.py");
610
611     while path.pop() {
612         if path.join(&path_postfix).is_file() {
613             return Some(path);
614         }
615     }
616
617     return None;
618 }
619
620 fn run_debuginfo_lldb_test(config: &Config, props: &TestProps, testfile: &Path) {
621     use std::io::process::{Command, ProcessOutput};
622
623     if config.lldb_python_dir.is_none() {
624         fatal("Can't run LLDB test because LLDB's python path is not set.");
625     }
626
627     let mut config = Config {
628         target_rustcflags: cleanup_debug_info_options(&config.target_rustcflags),
629         host_rustcflags: cleanup_debug_info_options(&config.host_rustcflags),
630         .. config.clone()
631     };
632
633     let config = &mut config;
634
635     // compile test file (it should have 'compile-flags:-g' in the header)
636     let compile_result = compile_test(config, props, testfile);
637     if !compile_result.status.success() {
638         fatal_proc_rec("compilation failed!", &compile_result);
639     }
640
641     let exe_file = make_exe_name(config, testfile);
642
643     match config.lldb_version {
644         Some(ref version) => {
645             println!("NOTE: compiletest thinks it is using LLDB version {}",
646                      version.as_slice());
647         }
648         _ => {
649             println!("NOTE: compiletest does not know which version of \
650                       LLDB it is using");
651         }
652     }
653
654     // Parse debugger commands etc from test files
655     let DebuggerCommands {
656         commands,
657         check_lines,
658         breakpoint_lines,
659         ..
660     } = parse_debugger_commands(testfile, "lldb");
661
662     // Write debugger script:
663     // We don't want to hang when calling `quit` while the process is still running
664     let mut script_str = String::from_str("settings set auto-confirm true\n");
665
666     // Make LLDB emit its version, so we have it documented in the test output
667     script_str.push_str("version\n");
668
669     // Switch LLDB into "Rust mode"
670     let rust_src_root = find_rust_src_root(config)
671         .expect("Could not find Rust source root");
672     let rust_pp_module_rel_path = Path::new("./src/etc/lldb_rust_formatters.py");
673     let rust_pp_module_abs_path = rust_src_root.join(rust_pp_module_rel_path)
674                                                .as_str()
675                                                .unwrap()
676                                                .to_string();
677
678     script_str.push_str(&format!("command script import {}\n", &rust_pp_module_abs_path[])[]);
679     script_str.push_str("type summary add --no-value ");
680     script_str.push_str("--python-function lldb_rust_formatters.print_val ");
681     script_str.push_str("-x \".*\" --category Rust\n");
682     script_str.push_str("type category enable Rust\n");
683
684     // Set breakpoints on every line that contains the string "#break"
685     for line in breakpoint_lines.iter() {
686         script_str.push_str(format!("breakpoint set --line {}\n",
687                                     line).as_slice());
688     }
689
690     // Append the other commands
691     for line in commands.iter() {
692         script_str.push_str(line.as_slice());
693         script_str.push_str("\n");
694     }
695
696     // Finally, quit the debugger
697     script_str.push_str("quit\n");
698
699     // Write the script into a file
700     debug!("script_str = {}", script_str);
701     dump_output_file(config,
702                      testfile,
703                      script_str.as_slice(),
704                      "debugger.script");
705     let debugger_script = make_out_name(config, testfile, "debugger.script");
706
707     // Let LLDB execute the script via lldb_batchmode.py
708     let debugger_run_result = run_lldb(config,
709                                        &exe_file,
710                                        &debugger_script,
711                                        &rust_src_root);
712
713     if !debugger_run_result.status.success() {
714         fatal_proc_rec("Error while running LLDB", &debugger_run_result);
715     }
716
717     check_debugger_output(&debugger_run_result, check_lines.as_slice());
718
719     fn run_lldb(config: &Config,
720                 test_executable: &Path,
721                 debugger_script: &Path,
722                 rust_src_root: &Path)
723                 -> ProcRes {
724         // Prepare the lldb_batchmode which executes the debugger script
725         let lldb_script_path = rust_src_root.join(Path::new("./src/etc/lldb_batchmode.py"));
726
727         let mut cmd = Command::new("python");
728         cmd.arg(lldb_script_path)
729            .arg(test_executable)
730            .arg(debugger_script)
731            .env_set_all(&[("PYTHONPATH", config.lldb_python_dir.clone().unwrap().as_slice())]);
732
733         let (status, out, err) = match cmd.spawn() {
734             Ok(process) => {
735                 let ProcessOutput { status, output, error } =
736                     process.wait_with_output().unwrap();
737
738                 (status,
739                  String::from_utf8(output).unwrap(),
740                  String::from_utf8(error).unwrap())
741             },
742             Err(e) => {
743                 fatal(format!("Failed to setup Python process for \
744                                LLDB script: {}", e).as_slice())
745             }
746         };
747
748         dump_output(config, test_executable, out.as_slice(), err.as_slice());
749         return ProcRes {
750             status: status,
751             stdout: out,
752             stderr: err,
753             cmdline: format!("{}", cmd)
754         };
755     }
756 }
757
758 struct DebuggerCommands {
759     commands: Vec<String>,
760     check_lines: Vec<String>,
761     breakpoint_lines: Vec<uint>,
762 }
763
764 fn parse_debugger_commands(file_path: &Path, debugger_prefix: &str)
765                            -> DebuggerCommands {
766     use std::io::{BufferedReader, File};
767
768     let command_directive = format!("{}-command", debugger_prefix);
769     let check_directive = format!("{}-check", debugger_prefix);
770
771     let mut breakpoint_lines = vec!();
772     let mut commands = vec!();
773     let mut check_lines = vec!();
774     let mut counter = 1;
775     let mut reader = BufferedReader::new(File::open(file_path).unwrap());
776     for line in reader.lines() {
777         match line {
778             Ok(line) => {
779                 if line.as_slice().contains("#break") {
780                     breakpoint_lines.push(counter);
781                 }
782
783                 header::parse_name_value_directive(
784                         line.as_slice(),
785                         command_directive.as_slice()).map(|cmd| {
786                     commands.push(cmd)
787                 });
788
789                 header::parse_name_value_directive(
790                         line.as_slice(),
791                         check_directive.as_slice()).map(|cmd| {
792                     check_lines.push(cmd)
793                 });
794             }
795             Err(e) => {
796                 fatal(format!("Error while parsing debugger commands: {}",
797                               e).as_slice())
798             }
799         }
800         counter += 1;
801     }
802
803     DebuggerCommands {
804         commands: commands,
805         check_lines: check_lines,
806         breakpoint_lines: breakpoint_lines,
807     }
808 }
809
810 fn cleanup_debug_info_options(options: &Option<String>) -> Option<String> {
811     if options.is_none() {
812         return None;
813     }
814
815     // Remove options that are either unwanted (-O) or may lead to duplicates due to RUSTFLAGS.
816     let options_to_remove = [
817         "-O".to_string(),
818         "-g".to_string(),
819         "--debuginfo".to_string()
820     ];
821     let new_options =
822         split_maybe_args(options).into_iter()
823                                  .filter(|x| !options_to_remove.contains(x))
824                                  .collect::<Vec<String>>()
825                                  .connect(" ");
826     Some(new_options)
827 }
828
829 fn check_debugger_output(debugger_run_result: &ProcRes, check_lines: &[String]) {
830     let num_check_lines = check_lines.len();
831     if num_check_lines > 0 {
832         // Allow check lines to leave parts unspecified (e.g., uninitialized
833         // bits in the wrong case of an enum) with the notation "[...]".
834         let check_fragments: Vec<Vec<String>> =
835             check_lines.iter().map(|s| {
836                 s.as_slice()
837                  .trim()
838                  .split_str("[...]")
839                  .map(|x| x.to_string())
840                  .collect()
841             }).collect();
842         // check if each line in props.check_lines appears in the
843         // output (in order)
844         let mut i = 0u;
845         for line in debugger_run_result.stdout.as_slice().lines() {
846             let mut rest = line.trim();
847             let mut first = true;
848             let mut failed = false;
849             for frag in check_fragments[i].iter() {
850                 let found = if first {
851                     if rest.starts_with(frag.as_slice()) {
852                         Some(0)
853                     } else {
854                         None
855                     }
856                 } else {
857                     rest.find_str(frag.as_slice())
858                 };
859                 match found {
860                     None => {
861                         failed = true;
862                         break;
863                     }
864                     Some(i) => {
865                         rest = rest.slice_from(i + frag.len());
866                     }
867                 }
868                 first = false;
869             }
870             if !failed && rest.len() == 0 {
871                 i += 1u;
872             }
873             if i == num_check_lines {
874                 // all lines checked
875                 break;
876             }
877         }
878         if i != num_check_lines {
879             fatal_proc_rec(format!("line not found in debugger output: {}",
880                                   check_lines.get(i).unwrap()).as_slice(),
881                           debugger_run_result);
882         }
883     }
884 }
885
886 fn check_error_patterns(props: &TestProps,
887                         testfile: &Path,
888                         output_to_check: &str,
889                         proc_res: &ProcRes) {
890     if props.error_patterns.is_empty() {
891         fatal(format!("no error pattern specified in {:?}",
892                       testfile.display()).as_slice());
893     }
894     let mut next_err_idx = 0u;
895     let mut next_err_pat = &props.error_patterns[next_err_idx];
896     let mut done = false;
897     for line in output_to_check.as_slice().lines() {
898         if line.contains(next_err_pat.as_slice()) {
899             debug!("found error pattern {}", next_err_pat);
900             next_err_idx += 1u;
901             if next_err_idx == props.error_patterns.len() {
902                 debug!("found all error patterns");
903                 done = true;
904                 break;
905             }
906             next_err_pat = &props.error_patterns[next_err_idx];
907         }
908     }
909     if done { return; }
910
911     let missing_patterns = &props.error_patterns[next_err_idx..];
912     if missing_patterns.len() == 1u {
913         fatal_proc_rec(format!("error pattern '{}' not found!",
914                               missing_patterns[0]).as_slice(),
915                       proc_res);
916     } else {
917         for pattern in missing_patterns.iter() {
918             error(format!("error pattern '{}' not found!",
919                           *pattern).as_slice());
920         }
921         fatal_proc_rec("multiple error patterns not found", proc_res);
922     }
923 }
924
925 fn check_no_compiler_crash(proc_res: &ProcRes) {
926     for line in proc_res.stderr.as_slice().lines() {
927         if line.starts_with("error: internal compiler error:") {
928             fatal_proc_rec("compiler encountered internal error",
929                           proc_res);
930         }
931     }
932 }
933
934 fn check_forbid_output(props: &TestProps,
935                        output_to_check: &str,
936                        proc_res: &ProcRes) {
937     for pat in props.forbid_output.iter() {
938         if output_to_check.contains(pat.as_slice()) {
939             fatal_proc_rec("forbidden pattern found in compiler output", proc_res);
940         }
941     }
942 }
943
944 fn check_expected_errors(expected_errors: Vec<errors::ExpectedError> ,
945                          testfile: &Path,
946                          proc_res: &ProcRes) {
947
948     // true if we found the error in question
949     let mut found_flags: Vec<_> = repeat(false).take(expected_errors.len()).collect();
950
951     if proc_res.status.success() {
952         fatal("process did not return an error status");
953     }
954
955     let prefixes = expected_errors.iter().map(|ee| {
956         format!("{:?}:{}:", testfile.display(), ee.line)
957     }).collect::<Vec<String> >();
958
959     #[cfg(windows)]
960     fn prefix_matches( line : &str, prefix : &str ) -> bool {
961         line.to_ascii_lowercase().starts_with(prefix.to_ascii_lowercase().as_slice())
962     }
963
964     #[cfg(unix)]
965     fn prefix_matches( line : &str, prefix : &str ) -> bool {
966         line.starts_with( prefix )
967     }
968
969     // A multi-line error will have followup lines which will always
970     // start with one of these strings.
971     fn continuation( line: &str) -> bool {
972         line.starts_with(" expected") ||
973         line.starts_with("    found") ||
974         //                1234
975         // Should have 4 spaces: see issue 18946
976         line.starts_with("(")
977     }
978
979     // Scan and extract our error/warning messages,
980     // which look like:
981     //    filename:line1:col1: line2:col2: *error:* msg
982     //    filename:line1:col1: line2:col2: *warning:* msg
983     // where line1:col1: is the starting point, line2:col2:
984     // is the ending point, and * represents ANSI color codes.
985     for line in proc_res.stderr.as_slice().lines() {
986         let mut was_expected = false;
987         for (i, ee) in expected_errors.iter().enumerate() {
988             if !found_flags[i] {
989                 debug!("prefix={} ee.kind={} ee.msg={} line={}",
990                        prefixes[i].as_slice(),
991                        ee.kind,
992                        ee.msg,
993                        line);
994                 if (prefix_matches(line, prefixes[i].as_slice()) || continuation(line)) &&
995                     line.contains(ee.kind.as_slice()) &&
996                     line.contains(ee.msg.as_slice()) {
997                     found_flags[i] = true;
998                     was_expected = true;
999                     break;
1000                 }
1001             }
1002         }
1003
1004         // ignore this msg which gets printed at the end
1005         if line.contains("aborting due to") {
1006             was_expected = true;
1007         }
1008
1009         if !was_expected && is_compiler_error_or_warning(line) {
1010             fatal_proc_rec(format!("unexpected compiler error or warning: '{}'",
1011                                   line).as_slice(),
1012                           proc_res);
1013         }
1014     }
1015
1016     for (i, &flag) in found_flags.iter().enumerate() {
1017         if !flag {
1018             let ee = &expected_errors[i];
1019             fatal_proc_rec(format!("expected {} on line {} not found: {}",
1020                                   ee.kind, ee.line, ee.msg).as_slice(),
1021                           proc_res);
1022         }
1023     }
1024 }
1025
1026 fn is_compiler_error_or_warning(line: &str) -> bool {
1027     let mut i = 0u;
1028     return
1029         scan_until_char(line, ':', &mut i) &&
1030         scan_char(line, ':', &mut i) &&
1031         scan_integer(line, &mut i) &&
1032         scan_char(line, ':', &mut i) &&
1033         scan_integer(line, &mut i) &&
1034         scan_char(line, ':', &mut i) &&
1035         scan_char(line, ' ', &mut i) &&
1036         scan_integer(line, &mut i) &&
1037         scan_char(line, ':', &mut i) &&
1038         scan_integer(line, &mut i) &&
1039         scan_char(line, ' ', &mut i) &&
1040         (scan_string(line, "error", &mut i) ||
1041          scan_string(line, "warning", &mut i));
1042 }
1043
1044 fn scan_until_char(haystack: &str, needle: char, idx: &mut uint) -> bool {
1045     if *idx >= haystack.len() {
1046         return false;
1047     }
1048     let opt = haystack.slice_from(*idx).find(needle);
1049     if opt.is_none() {
1050         return false;
1051     }
1052     *idx = opt.unwrap();
1053     return true;
1054 }
1055
1056 fn scan_char(haystack: &str, needle: char, idx: &mut uint) -> bool {
1057     if *idx >= haystack.len() {
1058         return false;
1059     }
1060     let range = haystack.char_range_at(*idx);
1061     if range.ch != needle {
1062         return false;
1063     }
1064     *idx = range.next;
1065     return true;
1066 }
1067
1068 fn scan_integer(haystack: &str, idx: &mut uint) -> bool {
1069     let mut i = *idx;
1070     while i < haystack.len() {
1071         let range = haystack.char_range_at(i);
1072         if range.ch < '0' || '9' < range.ch {
1073             break;
1074         }
1075         i = range.next;
1076     }
1077     if i == *idx {
1078         return false;
1079     }
1080     *idx = i;
1081     return true;
1082 }
1083
1084 fn scan_string(haystack: &str, needle: &str, idx: &mut uint) -> bool {
1085     let mut haystack_i = *idx;
1086     let mut needle_i = 0u;
1087     while needle_i < needle.len() {
1088         if haystack_i >= haystack.len() {
1089             return false;
1090         }
1091         let range = haystack.char_range_at(haystack_i);
1092         haystack_i = range.next;
1093         if !scan_char(needle, range.ch, &mut needle_i) {
1094             return false;
1095         }
1096     }
1097     *idx = haystack_i;
1098     return true;
1099 }
1100
1101 struct ProcArgs {
1102     prog: String,
1103     args: Vec<String>,
1104 }
1105
1106 struct ProcRes {
1107     status: ProcessExit,
1108     stdout: String,
1109     stderr: String,
1110     cmdline: String,
1111 }
1112
1113 fn compile_test(config: &Config, props: &TestProps,
1114                 testfile: &Path) -> ProcRes {
1115     compile_test_(config, props, testfile, &[])
1116 }
1117
1118 fn jit_test(config: &Config, props: &TestProps, testfile: &Path) -> ProcRes {
1119     compile_test_(config, props, testfile, &["--jit".to_string()])
1120 }
1121
1122 fn compile_test_(config: &Config, props: &TestProps,
1123                  testfile: &Path, extra_args: &[String]) -> ProcRes {
1124     let aux_dir = aux_output_dir_name(config, testfile);
1125     // FIXME (#9639): This needs to handle non-utf8 paths
1126     let mut link_args = vec!("-L".to_string(),
1127                              aux_dir.as_str().unwrap().to_string());
1128     link_args.extend(extra_args.iter().map(|s| s.clone()));
1129     let args = make_compile_args(config,
1130                                  props,
1131                                  link_args,
1132                                  |a, b| TargetLocation::ThisFile(make_exe_name(a, b)), testfile);
1133     compose_and_run_compiler(config, props, testfile, args, None)
1134 }
1135
1136 fn exec_compiled_test(config: &Config, props: &TestProps,
1137                       testfile: &Path) -> ProcRes {
1138
1139     let env = props.exec_env.clone();
1140
1141     match config.target.as_slice() {
1142
1143         "arm-linux-androideabi" => {
1144             _arm_exec_compiled_test(config, props, testfile, env)
1145         }
1146
1147         _=> {
1148             let aux_dir = aux_output_dir_name(config, testfile);
1149             compose_and_run(config,
1150                             testfile,
1151                             make_run_args(config, props, testfile),
1152                             env,
1153                             config.run_lib_path.as_slice(),
1154                             Some(aux_dir.as_str().unwrap()),
1155                             None)
1156         }
1157     }
1158 }
1159
1160 fn compose_and_run_compiler(
1161     config: &Config,
1162     props: &TestProps,
1163     testfile: &Path,
1164     args: ProcArgs,
1165     input: Option<String>) -> ProcRes {
1166
1167     if !props.aux_builds.is_empty() {
1168         ensure_dir(&aux_output_dir_name(config, testfile));
1169     }
1170
1171     let aux_dir = aux_output_dir_name(config, testfile);
1172     // FIXME (#9639): This needs to handle non-utf8 paths
1173     let extra_link_args = vec!("-L".to_string(), aux_dir.as_str().unwrap().to_string());
1174
1175     for rel_ab in props.aux_builds.iter() {
1176         let abs_ab = config.aux_base.join(rel_ab.as_slice());
1177         let aux_props = header::load_props(&abs_ab);
1178         let mut crate_type = if aux_props.no_prefer_dynamic {
1179             Vec::new()
1180         } else {
1181             vec!("--crate-type=dylib".to_string())
1182         };
1183         crate_type.extend(extra_link_args.clone().into_iter());
1184         let aux_args =
1185             make_compile_args(config,
1186                               &aux_props,
1187                               crate_type,
1188                               |a,b| {
1189                                   let f = make_lib_name(a, b, testfile);
1190                                   TargetLocation::ThisDirectory(f.dir_path())
1191                               },
1192                               &abs_ab);
1193         let auxres = compose_and_run(config,
1194                                      &abs_ab,
1195                                      aux_args,
1196                                      Vec::new(),
1197                                      config.compile_lib_path.as_slice(),
1198                                      Some(aux_dir.as_str().unwrap()),
1199                                      None);
1200         if !auxres.status.success() {
1201             fatal_proc_rec(
1202                 format!("auxiliary build of {:?} failed to compile: ",
1203                         abs_ab.display()).as_slice(),
1204                 &auxres);
1205         }
1206
1207         match config.target.as_slice() {
1208             "arm-linux-androideabi" => {
1209                 _arm_push_aux_shared_library(config, testfile);
1210             }
1211             _ => {}
1212         }
1213     }
1214
1215     compose_and_run(config,
1216                     testfile,
1217                     args,
1218                     Vec::new(),
1219                     config.compile_lib_path.as_slice(),
1220                     Some(aux_dir.as_str().unwrap()),
1221                     input)
1222 }
1223
1224 fn ensure_dir(path: &Path) {
1225     if path.is_dir() { return; }
1226     fs::mkdir(path, io::USER_RWX).unwrap();
1227 }
1228
1229 fn compose_and_run(config: &Config, testfile: &Path,
1230                    ProcArgs{ args, prog }: ProcArgs,
1231                    procenv: Vec<(String, String)> ,
1232                    lib_path: &str,
1233                    aux_path: Option<&str>,
1234                    input: Option<String>) -> ProcRes {
1235     return program_output(config, testfile, lib_path,
1236                           prog, aux_path, args, procenv, input);
1237 }
1238
1239 enum TargetLocation {
1240     ThisFile(Path),
1241     ThisDirectory(Path),
1242 }
1243
1244 fn make_compile_args<F>(config: &Config,
1245                         props: &TestProps,
1246                         extras: Vec<String> ,
1247                         xform: F,
1248                         testfile: &Path)
1249                         -> ProcArgs where
1250     F: FnOnce(&Config, &Path) -> TargetLocation,
1251 {
1252     let xform_file = xform(config, testfile);
1253     let target = if props.force_host {
1254         config.host.as_slice()
1255     } else {
1256         config.target.as_slice()
1257     };
1258     // FIXME (#9639): This needs to handle non-utf8 paths
1259     let mut args = vec!(testfile.as_str().unwrap().to_string(),
1260                         "-L".to_string(),
1261                         config.build_base.as_str().unwrap().to_string(),
1262                         format!("--target={}", target));
1263     args.push_all(extras.as_slice());
1264     if !props.no_prefer_dynamic {
1265         args.push("-C".to_string());
1266         args.push("prefer-dynamic".to_string());
1267     }
1268     let path = match xform_file {
1269         TargetLocation::ThisFile(path) => {
1270             args.push("-o".to_string());
1271             path
1272         }
1273         TargetLocation::ThisDirectory(path) => {
1274             args.push("--out-dir".to_string());
1275             path
1276         }
1277     };
1278     args.push(path.as_str().unwrap().to_string());
1279     if props.force_host {
1280         args.extend(split_maybe_args(&config.host_rustcflags).into_iter());
1281     } else {
1282         args.extend(split_maybe_args(&config.target_rustcflags).into_iter());
1283     }
1284     args.extend(split_maybe_args(&props.compile_flags).into_iter());
1285     return ProcArgs {
1286         prog: config.rustc_path.as_str().unwrap().to_string(),
1287         args: args,
1288     };
1289 }
1290
1291 fn make_lib_name(config: &Config, auxfile: &Path, testfile: &Path) -> Path {
1292     // what we return here is not particularly important, as it
1293     // happens; rustc ignores everything except for the directory.
1294     let auxname = output_testname(auxfile);
1295     aux_output_dir_name(config, testfile).join(&auxname)
1296 }
1297
1298 fn make_exe_name(config: &Config, testfile: &Path) -> Path {
1299     let mut f = output_base_name(config, testfile);
1300     if !os::consts::EXE_SUFFIX.is_empty() {
1301         let mut fname = f.filename().unwrap().to_vec();
1302         fname.extend(os::consts::EXE_SUFFIX.bytes());
1303         f.set_filename(fname);
1304     }
1305     f
1306 }
1307
1308 fn make_run_args(config: &Config, props: &TestProps, testfile: &Path) ->
1309    ProcArgs {
1310     // If we've got another tool to run under (valgrind),
1311     // then split apart its command
1312     let mut args = split_maybe_args(&config.runtool);
1313     let exe_file = make_exe_name(config, testfile);
1314
1315     // FIXME (#9639): This needs to handle non-utf8 paths
1316     args.push(exe_file.as_str().unwrap().to_string());
1317
1318     // Add the arguments in the run_flags directive
1319     args.extend(split_maybe_args(&props.run_flags).into_iter());
1320
1321     let prog = args.remove(0);
1322     return ProcArgs {
1323         prog: prog,
1324         args: args,
1325     };
1326 }
1327
1328 fn split_maybe_args(argstr: &Option<String>) -> Vec<String> {
1329     match *argstr {
1330         Some(ref s) => {
1331             s.as_slice()
1332              .split(' ')
1333              .filter_map(|s| {
1334                  if s.chars().all(|c| c.is_whitespace()) {
1335                      None
1336                  } else {
1337                      Some(s.to_string())
1338                  }
1339              }).collect()
1340         }
1341         None => Vec::new()
1342     }
1343 }
1344
1345 fn program_output(config: &Config, testfile: &Path, lib_path: &str, prog: String,
1346                   aux_path: Option<&str>, args: Vec<String>,
1347                   env: Vec<(String, String)>,
1348                   input: Option<String>) -> ProcRes {
1349     let cmdline =
1350         {
1351             let cmdline = make_cmdline(lib_path,
1352                                        prog.as_slice(),
1353                                        args.as_slice());
1354             logv(config, format!("executing {}", cmdline));
1355             cmdline
1356         };
1357     let procsrv::Result {
1358         out,
1359         err,
1360         status
1361     } = procsrv::run(lib_path,
1362                      prog.as_slice(),
1363                      aux_path,
1364                      args.as_slice(),
1365                      env,
1366                      input).expect(format!("failed to exec `{}`", prog).as_slice());
1367     dump_output(config, testfile, out.as_slice(), err.as_slice());
1368     return ProcRes {
1369         status: status,
1370         stdout: out,
1371         stderr: err,
1372         cmdline: cmdline,
1373     };
1374 }
1375
1376 // Linux and mac don't require adjusting the library search path
1377 #[cfg(unix)]
1378 fn make_cmdline(_libpath: &str, prog: &str, args: &[String]) -> String {
1379     format!("{} {}", prog, args.connect(" "))
1380 }
1381
1382 #[cfg(windows)]
1383 fn make_cmdline(libpath: &str, prog: &str, args: &[String]) -> String {
1384
1385     // Build the LD_LIBRARY_PATH variable as it would be seen on the command line
1386     // for diagnostic purposes
1387     fn lib_path_cmd_prefix(path: &str) -> String {
1388         format!("{}=\"{}\"", util::lib_path_env_var(), util::make_new_path(path))
1389     }
1390
1391     format!("{} {} {}", lib_path_cmd_prefix(libpath), prog, args.connect(" "))
1392 }
1393
1394 fn dump_output(config: &Config, testfile: &Path, out: &str, err: &str) {
1395     dump_output_file(config, testfile, out, "out");
1396     dump_output_file(config, testfile, err, "err");
1397     maybe_dump_to_stdout(config, out, err);
1398 }
1399
1400 fn dump_output_file(config: &Config, testfile: &Path,
1401                     out: &str, extension: &str) {
1402     let outfile = make_out_name(config, testfile, extension);
1403     File::create(&outfile).write(out.as_bytes()).unwrap();
1404 }
1405
1406 fn make_out_name(config: &Config, testfile: &Path, extension: &str) -> Path {
1407     output_base_name(config, testfile).with_extension(extension)
1408 }
1409
1410 fn aux_output_dir_name(config: &Config, testfile: &Path) -> Path {
1411     let f = output_base_name(config, testfile);
1412     let mut fname = f.filename().unwrap().to_vec();
1413     fname.extend("libaux".bytes());
1414     f.with_filename(fname)
1415 }
1416
1417 fn output_testname(testfile: &Path) -> Path {
1418     Path::new(testfile.filestem().unwrap())
1419 }
1420
1421 fn output_base_name(config: &Config, testfile: &Path) -> Path {
1422     config.build_base
1423         .join(&output_testname(testfile))
1424         .with_extension(config.stage_id.as_slice())
1425 }
1426
1427 fn maybe_dump_to_stdout(config: &Config, out: &str, err: &str) {
1428     if config.verbose {
1429         println!("------{}------------------------------", "stdout");
1430         println!("{}", out);
1431         println!("------{}------------------------------", "stderr");
1432         println!("{}", err);
1433         println!("------------------------------------------");
1434     }
1435 }
1436
1437 fn error(err: &str) { println!("\nerror: {}", err); }
1438
1439 fn fatal(err: &str) -> ! { error(err); panic!(); }
1440
1441 fn fatal_proc_rec(err: &str, proc_res: &ProcRes) -> ! {
1442     print!("\n\
1443 error: {}\n\
1444 status: {}\n\
1445 command: {}\n\
1446 stdout:\n\
1447 ------------------------------------------\n\
1448 {}\n\
1449 ------------------------------------------\n\
1450 stderr:\n\
1451 ------------------------------------------\n\
1452 {}\n\
1453 ------------------------------------------\n\
1454 \n",
1455              err, proc_res.status, proc_res.cmdline, proc_res.stdout,
1456              proc_res.stderr);
1457     panic!();
1458 }
1459
1460 fn _arm_exec_compiled_test(config: &Config,
1461                            props: &TestProps,
1462                            testfile: &Path,
1463                            env: Vec<(String, String)>)
1464                            -> ProcRes {
1465     let args = make_run_args(config, props, testfile);
1466     let cmdline = make_cmdline("",
1467                                args.prog.as_slice(),
1468                                args.args.as_slice());
1469
1470     // get bare program string
1471     let mut tvec: Vec<String> = args.prog
1472                                     .as_slice()
1473                                     .split('/')
1474                                     .map(|ts| ts.to_string())
1475                                     .collect();
1476     let prog_short = tvec.pop().unwrap();
1477
1478     // copy to target
1479     let copy_result = procsrv::run("",
1480                                    config.adb_path.as_slice(),
1481                                    None,
1482                                    &[
1483                                     "push".to_string(),
1484                                     args.prog.clone(),
1485                                     config.adb_test_dir.clone()
1486                                    ],
1487                                    vec!(("".to_string(), "".to_string())),
1488                                    Some("".to_string()))
1489         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1490
1491     if config.verbose {
1492         println!("push ({}) {} {} {}",
1493                  config.target,
1494                  args.prog,
1495                  copy_result.out,
1496                  copy_result.err);
1497     }
1498
1499     logv(config, format!("executing ({}) {}", config.target, cmdline));
1500
1501     let mut runargs = Vec::new();
1502
1503     // run test via adb_run_wrapper
1504     runargs.push("shell".to_string());
1505     for (key, val) in env.into_iter() {
1506         runargs.push(format!("{}={}", key, val));
1507     }
1508     runargs.push(format!("{}/adb_run_wrapper.sh", config.adb_test_dir));
1509     runargs.push(format!("{}", config.adb_test_dir));
1510     runargs.push(format!("{}", prog_short));
1511
1512     for tv in args.args.iter() {
1513         runargs.push(tv.to_string());
1514     }
1515     procsrv::run("",
1516                  config.adb_path.as_slice(),
1517                  None,
1518                  runargs.as_slice(),
1519                  vec!(("".to_string(), "".to_string())), Some("".to_string()))
1520         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1521
1522     // get exitcode of result
1523     runargs = Vec::new();
1524     runargs.push("shell".to_string());
1525     runargs.push("cat".to_string());
1526     runargs.push(format!("{}/{}.exitcode", config.adb_test_dir, prog_short));
1527
1528     let procsrv::Result{ out: exitcode_out, err: _, status: _ } =
1529         procsrv::run("",
1530                      config.adb_path.as_slice(),
1531                      None,
1532                      runargs.as_slice(),
1533                      vec!(("".to_string(), "".to_string())),
1534                      Some("".to_string()))
1535         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1536
1537     let mut exitcode: int = 0;
1538     for c in exitcode_out.as_slice().chars() {
1539         if !c.is_numeric() { break; }
1540         exitcode = exitcode * 10 + match c {
1541             '0' ... '9' => c as int - ('0' as int),
1542             _ => 101,
1543         }
1544     }
1545
1546     // get stdout of result
1547     runargs = Vec::new();
1548     runargs.push("shell".to_string());
1549     runargs.push("cat".to_string());
1550     runargs.push(format!("{}/{}.stdout", config.adb_test_dir, prog_short));
1551
1552     let procsrv::Result{ out: stdout_out, err: _, status: _ } =
1553         procsrv::run("",
1554                      config.adb_path.as_slice(),
1555                      None,
1556                      runargs.as_slice(),
1557                      vec!(("".to_string(), "".to_string())),
1558                      Some("".to_string()))
1559         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1560
1561     // get stderr of result
1562     runargs = Vec::new();
1563     runargs.push("shell".to_string());
1564     runargs.push("cat".to_string());
1565     runargs.push(format!("{}/{}.stderr", config.adb_test_dir, prog_short));
1566
1567     let procsrv::Result{ out: stderr_out, err: _, status: _ } =
1568         procsrv::run("",
1569                      config.adb_path.as_slice(),
1570                      None,
1571                      runargs.as_slice(),
1572                      vec!(("".to_string(), "".to_string())),
1573                      Some("".to_string()))
1574         .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1575
1576     dump_output(config,
1577                 testfile,
1578                 stdout_out.as_slice(),
1579                 stderr_out.as_slice());
1580
1581     ProcRes {
1582         status: process::ProcessExit::ExitStatus(exitcode),
1583         stdout: stdout_out,
1584         stderr: stderr_out,
1585         cmdline: cmdline
1586     }
1587 }
1588
1589 fn _arm_push_aux_shared_library(config: &Config, testfile: &Path) {
1590     let tdir = aux_output_dir_name(config, testfile);
1591
1592     let dirs = fs::readdir(&tdir).unwrap();
1593     for file in dirs.iter() {
1594         if file.extension_str() == Some("so") {
1595             // FIXME (#9639): This needs to handle non-utf8 paths
1596             let copy_result = procsrv::run("",
1597                                            config.adb_path.as_slice(),
1598                                            None,
1599                                            &[
1600                                             "push".to_string(),
1601                                             file.as_str()
1602                                                 .unwrap()
1603                                                 .to_string(),
1604                                             config.adb_test_dir.to_string()
1605                                            ],
1606                                            vec!(("".to_string(),
1607                                                  "".to_string())),
1608                                            Some("".to_string()))
1609                 .expect(format!("failed to exec `{}`", config.adb_path).as_slice());
1610
1611             if config.verbose {
1612                 println!("push ({}) {:?} {} {}",
1613                     config.target, file.display(),
1614                     copy_result.out, copy_result.err);
1615             }
1616         }
1617     }
1618 }
1619
1620 // codegen tests (vs. clang)
1621
1622 fn append_suffix_to_stem(p: &Path, suffix: &str) -> Path {
1623     if suffix.len() == 0 {
1624         (*p).clone()
1625     } else {
1626         let mut stem = p.filestem().unwrap().to_vec();
1627         stem.extend("-".bytes());
1628         stem.extend(suffix.bytes());
1629         p.with_filename(stem)
1630     }
1631 }
1632
1633 fn compile_test_and_save_bitcode(config: &Config, props: &TestProps,
1634                                  testfile: &Path) -> ProcRes {
1635     let aux_dir = aux_output_dir_name(config, testfile);
1636     // FIXME (#9639): This needs to handle non-utf8 paths
1637     let mut link_args = vec!("-L".to_string(),
1638                              aux_dir.as_str().unwrap().to_string());
1639     let llvm_args = vec!("--emit=llvm-bc,obj".to_string(),
1640                          "--crate-type=lib".to_string());
1641     link_args.extend(llvm_args.into_iter());
1642     let args = make_compile_args(config,
1643                                  props,
1644                                  link_args,
1645                                  |a, b| TargetLocation::ThisDirectory(
1646                                      output_base_name(a, b).dir_path()),
1647                                  testfile);
1648     compose_and_run_compiler(config, props, testfile, args, None)
1649 }
1650
1651 fn compile_cc_with_clang_and_save_bitcode(config: &Config, _props: &TestProps,
1652                                           testfile: &Path) -> ProcRes {
1653     let bitcodefile = output_base_name(config, testfile).with_extension("bc");
1654     let bitcodefile = append_suffix_to_stem(&bitcodefile, "clang");
1655     let testcc = testfile.with_extension("cc");
1656     let proc_args = ProcArgs {
1657         // FIXME (#9639): This needs to handle non-utf8 paths
1658         prog: config.clang_path.as_ref().unwrap().as_str().unwrap().to_string(),
1659         args: vec!("-c".to_string(),
1660                    "-emit-llvm".to_string(),
1661                    "-o".to_string(),
1662                    bitcodefile.as_str().unwrap().to_string(),
1663                    testcc.as_str().unwrap().to_string())
1664     };
1665     compose_and_run(config, testfile, proc_args, Vec::new(), "", None, None)
1666 }
1667
1668 fn extract_function_from_bitcode(config: &Config, _props: &TestProps,
1669                                  fname: &str, testfile: &Path,
1670                                  suffix: &str) -> ProcRes {
1671     let bitcodefile = output_base_name(config, testfile).with_extension("bc");
1672     let bitcodefile = append_suffix_to_stem(&bitcodefile, suffix);
1673     let extracted_bc = append_suffix_to_stem(&bitcodefile, "extract");
1674     let prog = config.llvm_bin_path.as_ref().unwrap().join("llvm-extract");
1675     let proc_args = ProcArgs {
1676         // FIXME (#9639): This needs to handle non-utf8 paths
1677         prog: prog.as_str().unwrap().to_string(),
1678         args: vec!(format!("-func={}", fname),
1679                    format!("-o={}", extracted_bc.as_str().unwrap()),
1680                    bitcodefile.as_str().unwrap().to_string())
1681     };
1682     compose_and_run(config, testfile, proc_args, Vec::new(), "", None, None)
1683 }
1684
1685 fn disassemble_extract(config: &Config, _props: &TestProps,
1686                        testfile: &Path, suffix: &str) -> ProcRes {
1687     let bitcodefile = output_base_name(config, testfile).with_extension("bc");
1688     let bitcodefile = append_suffix_to_stem(&bitcodefile, suffix);
1689     let extracted_bc = append_suffix_to_stem(&bitcodefile, "extract");
1690     let extracted_ll = extracted_bc.with_extension("ll");
1691     let prog = config.llvm_bin_path.as_ref().unwrap().join("llvm-dis");
1692     let proc_args = ProcArgs {
1693         // FIXME (#9639): This needs to handle non-utf8 paths
1694         prog: prog.as_str().unwrap().to_string(),
1695         args: vec!(format!("-o={}", extracted_ll.as_str().unwrap()),
1696                    extracted_bc.as_str().unwrap().to_string())
1697     };
1698     compose_and_run(config, testfile, proc_args, Vec::new(), "", None, None)
1699 }
1700
1701
1702 fn count_extracted_lines(p: &Path) -> uint {
1703     let x = File::open(&p.with_extension("ll")).read_to_end().unwrap();
1704     let x = str::from_utf8(x.as_slice()).unwrap();
1705     x.lines().count()
1706 }
1707
1708
1709 fn run_codegen_test(config: &Config, props: &TestProps,
1710                     testfile: &Path, mm: &mut MetricMap) {
1711
1712     if config.llvm_bin_path.is_none() {
1713         fatal("missing --llvm-bin-path");
1714     }
1715
1716     if config.clang_path.is_none() {
1717         fatal("missing --clang-path");
1718     }
1719
1720     let mut proc_res = compile_test_and_save_bitcode(config, props, testfile);
1721     if !proc_res.status.success() {
1722         fatal_proc_rec("compilation failed!", &proc_res);
1723     }
1724
1725     proc_res = extract_function_from_bitcode(config, props, "test", testfile, "");
1726     if !proc_res.status.success() {
1727         fatal_proc_rec("extracting 'test' function failed",
1728                       &proc_res);
1729     }
1730
1731     proc_res = disassemble_extract(config, props, testfile, "");
1732     if !proc_res.status.success() {
1733         fatal_proc_rec("disassembling extract failed", &proc_res);
1734     }
1735
1736
1737     let mut proc_res = compile_cc_with_clang_and_save_bitcode(config, props, testfile);
1738     if !proc_res.status.success() {
1739         fatal_proc_rec("compilation failed!", &proc_res);
1740     }
1741
1742     proc_res = extract_function_from_bitcode(config, props, "test", testfile, "clang");
1743     if !proc_res.status.success() {
1744         fatal_proc_rec("extracting 'test' function failed",
1745                       &proc_res);
1746     }
1747
1748     proc_res = disassemble_extract(config, props, testfile, "clang");
1749     if !proc_res.status.success() {
1750         fatal_proc_rec("disassembling extract failed", &proc_res);
1751     }
1752
1753     let base = output_base_name(config, testfile);
1754     let base_extract = append_suffix_to_stem(&base, "extract");
1755
1756     let base_clang = append_suffix_to_stem(&base, "clang");
1757     let base_clang_extract = append_suffix_to_stem(&base_clang, "extract");
1758
1759     let base_lines = count_extracted_lines(&base_extract);
1760     let clang_lines = count_extracted_lines(&base_clang_extract);
1761
1762     mm.insert_metric("clang-codegen-ratio",
1763                      (base_lines as f64) / (clang_lines as f64),
1764                      0.001);
1765 }