Skip to content

Commit e8a4db2

Browse files
committed
Allow supplying an error destination via the compiler driver
Allows replacing stderr with a buffer from the client. Also, some refactoring around run_compiler.
1 parent 322b553 commit e8a4db2

File tree

6 files changed

+55
-32
lines changed

6 files changed

+55
-32
lines changed

src/librustc/session/mod.rs

+15-5
Original file line numberDiff line numberDiff line change
@@ -42,6 +42,7 @@ use std::cell::{self, Cell, RefCell};
4242
use std::collections::HashMap;
4343
use std::env;
4444
use std::ffi::CString;
45+
use std::io::Write;
4546
use std::rc::Rc;
4647
use std::fmt;
4748
use std::time::Duration;
@@ -449,15 +450,17 @@ pub fn build_session(sopts: config::Options,
449450
local_crate_source_file,
450451
registry,
451452
cstore,
452-
Rc::new(codemap::CodeMap::new()))
453+
Rc::new(codemap::CodeMap::new()),
454+
None)
453455
}
454456

455457
pub fn build_session_with_codemap(sopts: config::Options,
456458
dep_graph: &DepGraph,
457459
local_crate_source_file: Option<PathBuf>,
458460
registry: errors::registry::Registry,
459461
cstore: Rc<for<'a> CrateStore<'a>>,
460-
codemap: Rc<codemap::CodeMap>)
462+
codemap: Rc<codemap::CodeMap>,
463+
emitter_dest: Option<Box<Write + Send>>)
461464
-> Session {
462465
// FIXME: This is not general enough to make the warning lint completely override
463466
// normal diagnostic warnings, since the warning lint can also be denied and changed
@@ -470,14 +473,21 @@ pub fn build_session_with_codemap(sopts: config::Options,
470473
.unwrap_or(true);
471474
let treat_err_as_bug = sopts.debugging_opts.treat_err_as_bug;
472475

473-
let emitter: Box<Emitter> = match sopts.error_format {
474-
config::ErrorOutputType::HumanReadable(color_config) => {
476+
let emitter: Box<Emitter> = match (sopts.error_format, emitter_dest) {
477+
(config::ErrorOutputType::HumanReadable(color_config), None) => {
475478
Box::new(EmitterWriter::stderr(color_config,
476479
Some(codemap.clone())))
477480
}
478-
config::ErrorOutputType::Json => {
481+
(config::ErrorOutputType::HumanReadable(_), Some(dst)) => {
482+
Box::new(EmitterWriter::new(dst,
483+
Some(codemap.clone())))
484+
}
485+
(config::ErrorOutputType::Json, None) => {
479486
Box::new(JsonEmitter::stderr(Some(registry), codemap.clone()))
480487
}
488+
(config::ErrorOutputType::Json, Some(dst)) => {
489+
Box::new(JsonEmitter::new(dst, Some(registry), codemap.clone()))
490+
}
481491
};
482492

483493
let diagnostic_handler =

src/librustc_driver/lib.rs

+20-19
Original file line numberDiff line numberDiff line change
@@ -74,6 +74,7 @@ use rustc::dep_graph::DepGraph;
7474
use rustc::session::{self, config, Session, build_session, CompileResult};
7575
use rustc::session::config::{Input, PrintRequest, OutputType, ErrorOutputType};
7676
use rustc::session::config::nightly_options;
77+
use rustc::session::early_error;
7778
use rustc::lint::Lint;
7879
use rustc::lint;
7980
use rustc_metadata::loader;
@@ -93,8 +94,6 @@ use std::str;
9394
use std::sync::{Arc, Mutex};
9495
use std::thread;
9596

96-
use rustc::session::early_error;
97-
9897
use syntax::{ast, json};
9998
use syntax::codemap::{CodeMap, FileLoader, RealFileLoader};
10099
use syntax::feature_gate::{GatedCfg, UnstableFeatures};
@@ -131,17 +130,18 @@ pub fn abort_on_err<T>(result: Result<T, usize>, sess: &Session) -> T {
131130
}
132131
}
133132

134-
pub fn run(args: Vec<String>) -> isize {
133+
pub fn run<F>(run_compiler: F) -> isize
134+
where F: FnOnce() -> (CompileResult, Option<Session>) + Send + 'static
135+
{
135136
monitor(move || {
136-
let (result, session) = run_compiler(&args, &mut RustcDefaultCalls);
137+
let (result, session) = run_compiler();
137138
if let Err(err_count) = result {
138139
if err_count > 0 {
139140
match session {
140141
Some(sess) => sess.fatal(&abort_msg(err_count)),
141142
None => {
142143
let emitter =
143-
errors::emitter::EmitterWriter::stderr(errors::ColorConfig::Auto,
144-
None);
144+
errors::emitter::EmitterWriter::stderr(errors::ColorConfig::Auto, None);
145145
let handler = errors::Handler::with_emitter(true, false, Box::new(emitter));
146146
handler.emit(&MultiSpan::new(),
147147
&abort_msg(err_count),
@@ -155,20 +155,15 @@ pub fn run(args: Vec<String>) -> isize {
155155
0
156156
}
157157

158-
pub fn run_compiler<'a>(args: &[String],
159-
callbacks: &mut CompilerCalls<'a>)
160-
-> (CompileResult, Option<Session>) {
161-
run_compiler_with_file_loader(args, callbacks, box RealFileLoader)
162-
}
163-
164158
// Parse args and run the compiler. This is the primary entry point for rustc.
165159
// See comments on CompilerCalls below for details about the callbacks argument.
166160
// The FileLoader provides a way to load files from sources other than the file system.
167-
pub fn run_compiler_with_file_loader<'a, L>(args: &[String],
168-
callbacks: &mut CompilerCalls<'a>,
169-
loader: Box<L>)
170-
-> (CompileResult, Option<Session>)
171-
where L: FileLoader + 'static {
161+
pub fn run_compiler<'a>(args: &[String],
162+
callbacks: &mut CompilerCalls<'a>,
163+
file_loader: Option<Box<FileLoader + 'static>>,
164+
emitter_dest: Option<Box<Write + Send>>)
165+
-> (CompileResult, Option<Session>)
166+
{
172167
macro_rules! do_or_return {($expr: expr, $sess: expr) => {
173168
match $expr {
174169
Compilation::Stop => return (Ok(()), $sess),
@@ -207,13 +202,16 @@ pub fn run_compiler_with_file_loader<'a, L>(args: &[String],
207202

208203
let dep_graph = DepGraph::new(sopts.build_dep_graph());
209204
let cstore = Rc::new(CStore::new(&dep_graph));
205+
206+
let loader = file_loader.unwrap_or(box RealFileLoader);
210207
let codemap = Rc::new(CodeMap::with_file_loader(loader));
211208
let sess = session::build_session_with_codemap(sopts,
212209
&dep_graph,
213210
input_file_path,
214211
descriptions,
215212
cstore.clone(),
216-
codemap);
213+
codemap,
214+
emitter_dest);
217215
rustc_lint::register_builtins(&mut sess.lint_store.borrow_mut(), Some(&sess));
218216
let mut cfg = config::build_configuration(&sess, cfg);
219217
target_features::add_configuration(&mut cfg, &sess);
@@ -1144,6 +1142,9 @@ pub fn diagnostics_registry() -> errors::registry::Registry {
11441142
}
11451143

11461144
pub fn main() {
1147-
let result = run(env::args().collect());
1145+
let result = run(|| run_compiler(&env::args().collect::<Vec<_>>(),
1146+
&mut RustcDefaultCalls,
1147+
None,
1148+
None));
11481149
process::exit(result as i32);
11491150
}

src/librustc_errors/emitter.rs

+4-2
Original file line numberDiff line numberDiff line change
@@ -99,8 +99,10 @@ impl EmitterWriter {
9999
pub fn new(dst: Box<Write + Send>,
100100
code_map: Option<Rc<CodeMapper>>)
101101
-> EmitterWriter {
102-
EmitterWriter { dst: Raw(dst),
103-
cm: code_map}
102+
EmitterWriter {
103+
dst: Raw(dst),
104+
cm: code_map,
105+
}
104106
}
105107

106108
fn preprocess_annotations(&self, msp: &MultiSpan) -> Vec<FileWithAnnotatedLines> {

src/libsyntax/json.rs

+13-3
Original file line numberDiff line numberDiff line change
@@ -38,14 +38,24 @@ pub struct JsonEmitter {
3838
}
3939

4040
impl JsonEmitter {
41+
pub fn stderr(registry: Option<Registry>,
42+
code_map: Rc<CodeMap>) -> JsonEmitter {
43+
JsonEmitter {
44+
dst: Box::new(io::stderr()),
45+
registry: registry,
46+
cm: code_map,
47+
}
48+
}
49+
4150
pub fn basic() -> JsonEmitter {
4251
JsonEmitter::stderr(None, Rc::new(CodeMap::new()))
4352
}
4453

45-
pub fn stderr(registry: Option<Registry>,
46-
code_map: Rc<CodeMap>) -> JsonEmitter {
54+
pub fn new(dst: Box<Write + Send>,
55+
registry: Option<Registry>,
56+
code_map: Rc<CodeMap>) -> JsonEmitter {
4757
JsonEmitter {
48-
dst: Box::new(io::stderr()),
58+
dst: dst,
4959
registry: registry,
5060
cm: code_map,
5161
}

src/test/run-make/llvm-phase/test.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -79,8 +79,8 @@ fn main() {
7979
format!("_ _ --sysroot {} --crate-type dylib", path.to_str().unwrap())
8080
.split(' ').map(|s| s.to_string()).collect();
8181

82-
let (result, _) = rustc_driver::run_compiler_with_file_loader(
83-
&args, &mut JitCalls, box JitLoader);
82+
let (result, _) = rustc_driver::run_compiler(
83+
&args, &mut JitCalls, Some(box JitLoader), None);
8484
if let Err(n) = result {
8585
panic!("Error {}", n);
8686
}

src/test/run-pass-fulldeps/compiler-calls.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -86,6 +86,6 @@ fn main() {
8686
let mut tc = TestCalls { count: 1 };
8787
// we should never get use this filename, but lets make sure they are valid args.
8888
let args = vec!["compiler-calls".to_string(), "foo.rs".to_string()];
89-
rustc_driver::run_compiler(&args, &mut tc);
89+
rustc_driver::run_compiler(&args, &mut tc, None, None);
9090
assert_eq!(tc.count, 30);
9191
}

0 commit comments

Comments
 (0)