-
Notifications
You must be signed in to change notification settings - Fork 551
/
compiler.rs
1966 lines (1873 loc) · 72.7 KB
/
compiler.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Copyright 2016 Mozilla Foundation
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
use crate::cache::{Cache, CacheWrite, Storage};
use crate::compiler::c::{CCompiler, CCompilerKind};
use crate::compiler::clang::Clang;
use crate::compiler::diab::Diab;
use crate::compiler::gcc::GCC;
use crate::compiler::msvc;
use crate::compiler::msvc::MSVC;
use crate::compiler::rust::Rust;
use crate::dist;
#[cfg(feature = "dist-client")]
use crate::dist::pkg;
use futures::Future;
use futures_cpupool::CpuPool;
use crate::mock_command::{exit_status, CommandChild, CommandCreatorSync, RunCommand};
use std::borrow::Cow;
use std::collections::HashMap;
use std::ffi::OsString;
use std::fmt;
#[cfg(any(feature = "dist-client", unix))]
use std::fs;
use std::fs::File;
use std::io::prelude::*;
use std::path::{Path, PathBuf};
use std::process::{self, Stdio};
use std::str;
use std::sync::Arc;
use std::time::{Duration, Instant};
use tempdir::TempDir;
use tempfile::NamedTempFile;
use tokio_timer::Timeout;
use crate::util::{fmt_duration_as_secs, ref_env, run_input_output};
use crate::errors::*;
#[derive(Clone, Debug)]
pub struct CompileCommand {
pub executable: PathBuf,
pub arguments: Vec<OsString>,
pub env_vars: Vec<(OsString, OsString)>,
pub cwd: PathBuf,
}
impl CompileCommand {
pub fn execute<T>(self, creator: &T) -> SFuture<process::Output>
where
T: CommandCreatorSync,
{
let mut cmd = creator.clone().new_command_sync(self.executable);
cmd.args(&self.arguments)
.env_clear()
.envs(self.env_vars)
.current_dir(self.cwd);
Box::new(run_input_output(cmd, None))
}
}
/// Supported compilers.
#[derive(Debug, PartialEq, Clone)]
pub enum CompilerKind {
/// A C compiler.
C(CCompilerKind),
/// A Rust compiler.
Rust,
}
impl CompilerKind {
pub fn lang_kind(&self) -> String {
match self {
CompilerKind::C(_) => "C/C++",
CompilerKind::Rust => "Rust",
}.to_string()
}
}
/// An interface to a compiler for argument parsing.
pub trait Compiler<T>: Send + 'static
where
T: CommandCreatorSync,
{
/// Return the kind of compiler.
fn kind(&self) -> CompilerKind;
/// Retrieve a packager
#[cfg(feature = "dist-client")]
fn get_toolchain_packager(&self) -> Box<dyn pkg::ToolchainPackager>;
/// Determine whether `arguments` are supported by this compiler.
fn parse_arguments(
&self,
arguments: &[OsString],
cwd: &Path,
) -> CompilerArguments<Box<dyn CompilerHasher<T> + 'static>>;
fn box_clone(&self) -> Box<dyn Compiler<T>>;
}
impl<T: CommandCreatorSync> Clone for Box<dyn Compiler<T>> {
fn clone(&self) -> Box<dyn Compiler<T>> {
self.box_clone()
}
}
/// An interface to a compiler for hash key generation, the result of
/// argument parsing.
pub trait CompilerHasher<T>: fmt::Debug + Send + 'static
where
T: CommandCreatorSync,
{
/// Given information about a compiler command, generate a hash key
/// that can be used for cache lookups, as well as any additional
/// information that can be reused for compilation if necessary.
fn generate_hash_key(
self: Box<Self>,
creator: &T,
cwd: PathBuf,
env_vars: Vec<(OsString, OsString)>,
may_dist: bool,
pool: &CpuPool,
) -> SFuture<HashResult>;
/// Return the state of any `--color` option passed to the compiler.
fn color_mode(&self) -> ColorMode;
/// Look up a cached compile result in `storage`. If not found, run the
/// compile and store the result.
fn get_cached_or_compile(
self: Box<Self>,
dist_client: Result<Option<Arc<dyn dist::Client>>>,
creator: T,
storage: Arc<dyn Storage>,
arguments: Vec<OsString>,
cwd: PathBuf,
env_vars: Vec<(OsString, OsString)>,
cache_control: CacheControl,
pool: CpuPool,
) -> SFuture<(CompileResult, process::Output)> {
let out_pretty = self.output_pretty().into_owned();
debug!("[{}]: get_cached_or_compile: {:?}", out_pretty, arguments);
let start = Instant::now();
let may_dist = match dist_client {
Ok(Some(_)) => true,
_ => false
};
let result = self.generate_hash_key(
&creator,
cwd.clone(),
env_vars,
may_dist,
&pool,
);
Box::new(result.then(move |res| -> SFuture<_> {
debug!(
"[{}]: generate_hash_key took {}",
out_pretty,
fmt_duration_as_secs(&start.elapsed())
);
let (key, compilation, weak_toolchain_key) = match res {
Err(Error(ErrorKind::ProcessError(output), _)) => {
return f_ok((CompileResult::Error, output));
}
Err(e) => return f_err(e),
Ok(HashResult {
key,
compilation,
weak_toolchain_key,
}) => (key, compilation, weak_toolchain_key),
};
trace!("[{}]: Hash key: {}", out_pretty, key);
// If `ForceRecache` is enabled, we won't check the cache.
let start = Instant::now();
let cache_status = if cache_control == CacheControl::ForceRecache {
f_ok(Cache::Recache)
} else {
storage.get(&key)
};
// Set a maximum time limit for the cache to respond before we forge
// ahead ourselves with a compilation.
let timeout = Duration::new(60, 0);
let cache_status = Timeout::new(cache_status, timeout);
// Check the result of the cache lookup.
Box::new(cache_status.then(move |result| {
let duration = start.elapsed();
let outputs = compilation
.outputs()
.map(|(key, path)| (key.to_string(), cwd.join(path)))
.collect::<HashMap<_, _>>();
let miss_type = match result {
Ok(Cache::Hit(mut entry)) => {
debug!(
"[{}]: Cache hit in {}",
out_pretty,
fmt_duration_as_secs(&duration)
);
let mut stdout = Vec::new();
let mut stderr = Vec::new();
drop(entry.get_object("stdout", &mut stdout));
drop(entry.get_object("stderr", &mut stderr));
let write = pool.spawn_fn(move || {
for (key, path) in &outputs {
let dir = match path.parent() {
Some(d) => d,
None => bail!("Output file without a parent directory!"),
};
// Write the cache entry to a tempfile and then atomically
// move it to its final location so that other rustc invocations
// happening in parallel don't see a partially-written file.
let mut tmp = NamedTempFile::new_in(dir)?;
let mode = entry.get_object(&key, &mut tmp)?;
tmp.persist(path)?;
if let Some(mode) = mode {
set_file_mode(&path, mode)?;
}
}
Ok(())
});
let output = process::Output {
status: exit_status(0),
stdout: stdout,
stderr: stderr,
};
let result = CompileResult::CacheHit(duration);
return Box::new(write.map(|_| (result, output))) as SFuture<_>;
}
Ok(Cache::Miss) => {
debug!(
"[{}]: Cache miss in {}",
out_pretty,
fmt_duration_as_secs(&duration)
);
MissType::Normal
}
Ok(Cache::Recache) => {
debug!(
"[{}]: Cache recache in {}",
out_pretty,
fmt_duration_as_secs(&duration)
);
MissType::ForcedRecache
}
Err(err) => {
if err.is_elapsed() {
debug!(
"[{}]: Cache timed out {}",
out_pretty,
fmt_duration_as_secs(&duration)
);
MissType::TimedOut
} else {
error!("[{}]: Cache read error: {}", out_pretty, err);
if err.is_inner() {
let err = err.into_inner().unwrap();
for e in err.iter().skip(1) {
error!("[{}] \t{}", out_pretty, e);
}
}
MissType::CacheReadError
}
}
};
// Cache miss, so compile it.
let start = Instant::now();
let compile = dist_or_local_compile(
dist_client,
creator,
cwd,
compilation,
weak_toolchain_key,
out_pretty.clone(),
);
Box::new(
compile.and_then(move |(cacheable, dist_type, compiler_result)| {
let duration = start.elapsed();
if !compiler_result.status.success() {
debug!(
"[{}]: Compiled but failed, not storing in cache",
out_pretty
);
return f_ok((CompileResult::CompileFailed, compiler_result))
as SFuture<_>;
}
if cacheable != Cacheable::Yes {
// Not cacheable
debug!("[{}]: Compiled but not cacheable", out_pretty);
return f_ok((CompileResult::NotCacheable, compiler_result));
}
debug!(
"[{}]: Compiled in {}, storing in cache",
out_pretty,
fmt_duration_as_secs(&duration)
);
let write = pool.spawn_fn(move || -> Result<_> {
let mut entry = CacheWrite::new();
for (key, path) in &outputs {
let mut f = File::open(&path)?;
let mode = get_file_mode(&f)?;
entry.put_object(key, &mut f, mode).chain_err(|| {
format!("failed to put object `{:?}` in zip", path)
})?;
}
Ok(entry)
});
let write = write.chain_err(|| "failed to zip up compiler outputs");
let o = out_pretty.clone();
Box::new(
write
.and_then(move |mut entry| {
if !compiler_result.stdout.is_empty() {
let mut stdout = &compiler_result.stdout[..];
entry.put_object("stdout", &mut stdout, None)?;
}
if !compiler_result.stderr.is_empty() {
let mut stderr = &compiler_result.stderr[..];
entry.put_object("stderr", &mut stderr, None)?;
}
// Try to finish storing the newly-written cache
// entry. We'll get the result back elsewhere.
let future = storage.put(&key, entry).then(move |res| {
match res {
Ok(_) => debug!(
"[{}]: Stored in cache successfully!",
out_pretty
),
Err(ref e) => debug!(
"[{}]: Cache write error: {:?}",
out_pretty, e
),
}
res.map(|duration| CacheWriteInfo {
object_file_pretty: out_pretty,
duration: duration,
})
});
let future = Box::new(future);
Ok((
CompileResult::CacheMiss(
miss_type, dist_type, duration, future,
),
compiler_result,
))
}).chain_err(move || format!("failed to store `{}` to cache", o)),
)
}),
)
}))
}))
}
/// A descriptive string about the file that we're going to be producing.
///
/// This is primarily intended for debug logging and such, not for actual
/// artifact generation.
fn output_pretty(&self) -> Cow<'_, str>;
fn box_clone(&self) -> Box<dyn CompilerHasher<T>>;
}
#[cfg(not(feature = "dist-client"))]
fn dist_or_local_compile<T>(
_dist_client: Result<Option<Arc<dyn dist::Client>>>,
creator: T,
_cwd: PathBuf,
compilation: Box<dyn Compilation>,
_weak_toolchain_key: String,
out_pretty: String,
) -> SFuture<(Cacheable, DistType, process::Output)>
where
T: CommandCreatorSync,
{
let mut path_transformer = dist::PathTransformer::new();
let compile_commands = compilation
.generate_compile_commands(&mut path_transformer)
.chain_err(|| "Failed to generate compile commands");
let (compile_cmd, _dist_compile_cmd, cacheable) = match compile_commands {
Ok(cmds) => cmds,
Err(e) => return f_err(e),
};
debug!("[{}]: Compiling locally", out_pretty);
Box::new(
compile_cmd
.execute(&creator)
.map(move |o| (cacheable, DistType::NoDist, o)),
)
}
#[cfg(feature = "dist-client")]
fn dist_or_local_compile<T>(
dist_client: Result<Option<Arc<dyn dist::Client>>>,
creator: T,
cwd: PathBuf,
compilation: Box<dyn Compilation>,
weak_toolchain_key: String,
out_pretty: String,
) -> SFuture<(Cacheable, DistType, process::Output)>
where
T: CommandCreatorSync,
{
use futures::future;
use std::io;
let mut path_transformer = dist::PathTransformer::new();
let compile_commands = compilation
.generate_compile_commands(&mut path_transformer)
.chain_err(|| "Failed to generate compile commands");
let (compile_cmd, dist_compile_cmd, cacheable) = match compile_commands {
Ok(cmds) => cmds,
Err(e) => return f_err(e),
};
let dist_client = match dist_client {
Ok(Some(dc)) => dc,
Ok(None) => {
debug!("[{}]: Compiling locally", out_pretty);
return Box::new(
compile_cmd
.execute(&creator)
.map(move |o| (cacheable, DistType::NoDist, o)),
);
},
Err(e) => {
return f_err(e);
}
};
debug!("[{}]: Attempting distributed compilation", out_pretty);
let compile_out_pretty = out_pretty.clone();
let compile_out_pretty2 = out_pretty.clone();
let compile_out_pretty3 = out_pretty.clone();
let compile_out_pretty4 = out_pretty.clone();
let local_executable = compile_cmd.executable.clone();
// TODO: the number of map_errs is subideal, but there's no futures-based carrier trait AFAIK
Box::new(future::result(dist_compile_cmd.ok_or_else(|| "Could not create distributed compile command".into()))
.and_then(move |dist_compile_cmd| {
debug!("[{}]: Creating distributed compile request", compile_out_pretty);
let dist_output_paths = compilation.outputs()
.map(|(_key, path)| path_transformer.to_dist_abs(&cwd.join(path)))
.collect::<Option<_>>()
.ok_or_else(|| Error::from("Failed to adapt an output path for distributed compile"))?;
compilation.into_dist_packagers(path_transformer)
.map(|packagers| (dist_compile_cmd, packagers, dist_output_paths))
})
.and_then(move |(mut dist_compile_cmd, (inputs_packager, toolchain_packager, outputs_rewriter), dist_output_paths)| {
debug!("[{}]: Identifying dist toolchain for {:?}", compile_out_pretty2, local_executable);
dist_client.put_toolchain(&local_executable, &weak_toolchain_key, toolchain_packager)
.and_then(|(dist_toolchain, maybe_dist_compile_executable)| {
if let Some(dist_compile_executable) = maybe_dist_compile_executable {
dist_compile_cmd.executable = dist_compile_executable;
}
Ok((dist_client, dist_compile_cmd, dist_toolchain, inputs_packager, outputs_rewriter, dist_output_paths))
})
})
.and_then(move |(dist_client, dist_compile_cmd, dist_toolchain, inputs_packager, outputs_rewriter, dist_output_paths)| {
debug!("[{}]: Requesting allocation", compile_out_pretty3);
dist_client.do_alloc_job(dist_toolchain.clone())
.and_then(move |jares| {
let alloc = match jares {
dist::AllocJobResult::Success { job_alloc, need_toolchain: true } => {
debug!("[{}]: Sending toolchain {} for job {}",
compile_out_pretty3, dist_toolchain.archive_id, job_alloc.job_id);
Box::new(dist_client.do_submit_toolchain(job_alloc.clone(), dist_toolchain)
.and_then(move |res| {
match res {
dist::SubmitToolchainResult::Success => Ok(job_alloc),
dist::SubmitToolchainResult::JobNotFound =>
bail!("Job {} not found on server", job_alloc.job_id),
dist::SubmitToolchainResult::CannotCache =>
bail!("Toolchain for job {} could not be cached by server", job_alloc.job_id),
}
})
.chain_err(|| "Could not submit toolchain"))
},
dist::AllocJobResult::Success { job_alloc, need_toolchain: false } =>
f_ok(job_alloc),
dist::AllocJobResult::Fail { msg } =>
f_err(Error::from("Failed to allocate job").chain_err(|| msg)),
};
alloc
.and_then(move |job_alloc| {
let job_id = job_alloc.job_id;
let server_id = job_alloc.server_id;
debug!("[{}]: Running job", compile_out_pretty3);
dist_client.do_run_job(job_alloc, dist_compile_cmd, dist_output_paths, inputs_packager)
.map(move |res| ((job_id, server_id), res))
.chain_err(|| "could not run distributed compilation job")
})
})
.and_then(move |((job_id, server_id), (jres, path_transformer))| {
let jc = match jres {
dist::RunJobResult::Complete(jc) => jc,
dist::RunJobResult::JobNotFound => bail!("Job {} not found on server", job_id),
};
info!("fetched {:?}", jc.outputs.iter().map(|&(ref p, ref bs)| (p, bs.lens().to_string())).collect::<Vec<_>>());
let mut output_paths: Vec<PathBuf> = vec![];
macro_rules! try_or_cleanup {
($v:expr) => {{
match $v {
Ok(v) => v,
Err(e) => {
// Do our best to clear up. We may end up deleting a file that we just wrote over
// the top of, but it's better to clear up too much than too little
for local_path in output_paths.iter() {
if let Err(e) = fs::remove_file(local_path) {
if e.kind() != io::ErrorKind::NotFound {
warn!("{} while attempting to clear up {}", e, local_path.display())
}
}
}
return Err(e)
},
}
}};
}
for (path, output_data) in jc.outputs {
let len = output_data.lens().actual;
let local_path = try_or_cleanup!(path_transformer.to_local(&path)
.chain_err(|| format!("unable to transform output path {}", path)));
output_paths.push(local_path);
// Do this first so cleanup works correctly
let local_path = output_paths.last().expect("nothing in vec after push");
let mut file = try_or_cleanup!(File::create(&local_path)
.chain_err(|| format!("Failed to create output file {}", local_path.display())));
let count = try_or_cleanup!(io::copy(&mut output_data.into_reader(), &mut file)
.chain_err(|| format!("Failed to write output to {}", local_path.display())));
assert!(count == len);
}
try_or_cleanup!(outputs_rewriter.handle_outputs(&path_transformer, &output_paths)
.chain_err(|| "failed to rewrite outputs from compile"));
Ok((DistType::Ok(server_id), jc.output.into()))
})
})
.or_else(move |e| {
let mut errmsg = e.to_string();
for cause in e.iter() {
errmsg.push_str(": ");
errmsg.push_str(&cause.to_string());
}
// Client errors are considered fatal.
match e {
Error(ErrorKind::HttpClientError(_), _) => f_err(e),
_ => {
warn!("[{}]: Could not perform distributed compile, falling back to local: {}", compile_out_pretty4, errmsg);
Box::new(compile_cmd.execute(&creator).map(|o| (DistType::Error, o)))
}
}
})
.map(move |(dt, o)| (cacheable, dt, o))
)
}
impl<T: CommandCreatorSync> Clone for Box<dyn CompilerHasher<T>> {
fn clone(&self) -> Box<dyn CompilerHasher<T>> {
self.box_clone()
}
}
/// An interface to a compiler for actually invoking compilation.
pub trait Compilation {
/// Given information about a compiler command, generate a command that can
/// execute the compiler.
fn generate_compile_commands(
&self,
path_transformer: &mut dist::PathTransformer,
) -> Result<(CompileCommand, Option<dist::CompileCommand>, Cacheable)>;
/// Create a function that will create the inputs used to perform a distributed compilation
#[cfg(feature = "dist-client")]
fn into_dist_packagers(
self: Box<Self>,
_path_transformer: dist::PathTransformer,
) -> Result<(
Box<dyn pkg::InputsPackager>,
Box<dyn pkg::ToolchainPackager>,
Box<dyn OutputsRewriter>,
)> {
bail!("distributed compilation not implemented")
}
/// Returns an iterator over the results of this compilation.
///
/// Each item is a descriptive (and unique) name of the output paired with
/// the path where it'll show up.
fn outputs<'a>(&'a self) -> Box<dyn Iterator<Item = (&'a str, &'a Path)> + 'a>;
}
#[cfg(feature = "dist-client")]
pub trait OutputsRewriter {
/// Perform any post-compilation handling of outputs, given a Vec of the dist_path and local_path
fn handle_outputs(
self: Box<Self>,
path_transformer: &dist::PathTransformer,
output_paths: &[PathBuf],
) -> Result<()>;
}
#[cfg(feature = "dist-client")]
pub struct NoopOutputsRewriter;
#[cfg(feature = "dist-client")]
impl OutputsRewriter for NoopOutputsRewriter {
fn handle_outputs(
self: Box<Self>,
_path_transformer: &dist::PathTransformer,
_output_paths: &[PathBuf],
) -> Result<()> {
Ok(())
}
}
/// Result of generating a hash from a compiler command.
pub struct HashResult {
/// The hash key of the inputs.
pub key: String,
/// An object to use for the actual compilation, if necessary.
pub compilation: Box<dyn Compilation + 'static>,
/// A weak key that may be used to identify the toolchain
pub weak_toolchain_key: String,
}
/// Possible results of parsing compiler arguments.
#[derive(Debug, PartialEq)]
pub enum CompilerArguments<T> {
/// Commandline can be handled.
Ok(T),
/// Cannot cache this compilation.
CannotCache(&'static str, Option<String>),
/// This commandline is not a compile.
NotCompilation,
}
macro_rules! cannot_cache {
($why:expr) => {
return CompilerArguments::CannotCache($why, None);
};
($why:expr, $extra_info:expr) => {
return CompilerArguments::CannotCache($why, Some($extra_info));
};
}
macro_rules! try_or_cannot_cache {
($arg:expr, $why:expr) => {{
match $arg {
Ok(arg) => arg,
Err(e) => cannot_cache!($why, e.to_string()),
}
}};
}
/// Specifics about distributed compilation.
#[derive(Debug, PartialEq)]
pub enum DistType {
/// Distribution was not enabled.
NoDist,
/// Distributed compile success.
Ok(dist::ServerId),
/// Distributed compile failed.
Error,
}
/// Specifics about cache misses.
#[derive(Debug, PartialEq)]
pub enum MissType {
/// The compilation was not found in the cache, nothing more.
Normal,
/// Cache lookup was overridden, recompilation was forced.
ForcedRecache,
/// Cache took too long to respond.
TimedOut,
/// Error reading from cache
CacheReadError,
}
/// Information about a successful cache write.
pub struct CacheWriteInfo {
pub object_file_pretty: String,
pub duration: Duration,
}
/// The result of a compilation or cache retrieval.
pub enum CompileResult {
/// An error made the compilation not possible.
Error,
/// Result was found in cache.
CacheHit(Duration),
/// Result was not found in cache.
///
/// The `CacheWriteFuture` will resolve when the result is finished
/// being stored in the cache.
CacheMiss(MissType, DistType, Duration, SFuture<CacheWriteInfo>),
/// Not in cache, but the compilation result was determined to be not cacheable.
NotCacheable,
/// Not in cache, but compilation failed.
CompileFailed,
}
/// The state of `--color` options passed to a compiler.
#[derive(Clone, Copy, Debug, PartialEq, Serialize, Deserialize)]
pub enum ColorMode {
Off,
On,
Auto,
}
impl Default for ColorMode {
fn default() -> ColorMode {
ColorMode::Auto
}
}
/// Can't derive(Debug) because of `CacheWriteFuture`.
impl fmt::Debug for CompileResult {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
&CompileResult::Error => write!(f, "CompileResult::Error"),
&CompileResult::CacheHit(ref d) => write!(f, "CompileResult::CacheHit({:?})", d),
&CompileResult::CacheMiss(ref m, ref dt, ref d, _) => {
write!(f, "CompileResult::CacheMiss({:?}, {:?}, {:?}, _)", d, m, dt)
}
&CompileResult::NotCacheable => write!(f, "CompileResult::NotCacheable"),
&CompileResult::CompileFailed => write!(f, "CompileResult::CompileFailed"),
}
}
}
/// Can't use derive(PartialEq) because of the `CacheWriteFuture`.
impl PartialEq<CompileResult> for CompileResult {
fn eq(&self, other: &CompileResult) -> bool {
match (self, other) {
(&CompileResult::Error, &CompileResult::Error) => true,
(&CompileResult::CacheHit(_), &CompileResult::CacheHit(_)) => true,
(
&CompileResult::CacheMiss(ref m, ref dt, _, _),
&CompileResult::CacheMiss(ref n, ref dt2, _, _),
) => m == n && dt == dt2,
(&CompileResult::NotCacheable, &CompileResult::NotCacheable) => true,
(&CompileResult::CompileFailed, &CompileResult::CompileFailed) => true,
_ => false,
}
}
}
#[cfg(unix)]
fn get_file_mode(file: &File) -> Result<Option<u32>> {
use std::os::unix::fs::MetadataExt;
Ok(Some(file.metadata()?.mode()))
}
#[cfg(windows)]
fn get_file_mode(_file: &File) -> Result<Option<u32>> {
Ok(None)
}
#[cfg(unix)]
fn set_file_mode(path: &Path, mode: u32) -> Result<()> {
use std::fs::Permissions;
use std::os::unix::fs::PermissionsExt;
let p = Permissions::from_mode(mode);
fs::set_permissions(path, p)?;
Ok(())
}
#[cfg(windows)]
fn set_file_mode(_path: &Path, _mode: u32) -> Result<()> {
Ok(())
}
/// Can this result be stored in cache?
#[derive(Copy, Clone, Debug, PartialEq)]
pub enum Cacheable {
Yes,
No,
}
/// Control of caching behavior.
#[derive(Debug, PartialEq)]
pub enum CacheControl {
/// Default caching behavior.
Default,
/// Ignore existing cache entries, force recompilation.
ForceRecache,
}
/// Creates a future that will write `contents` to `path` inside of a temporary
/// directory.
///
/// The future will resolve to the temporary directory and an absolute path
/// inside that temporary directory with a file that has the same filename as
/// `path` contains the `contents` specified.
///
/// Note that when the `TempDir` is dropped it will delete all of its contents
/// including the path returned.
pub fn write_temp_file(
pool: &CpuPool,
path: &Path,
contents: Vec<u8>,
) -> SFuture<(TempDir, PathBuf)> {
let path = path.to_owned();
pool.spawn_fn(move || -> Result<_> {
let dir = TempDir::new("sccache")?;
let src = dir.path().join(path);
let mut file = File::create(&src)?;
file.write_all(&contents)?;
Ok((dir, src))
}).chain_err(|| "failed to write temporary file")
}
/// If `executable` is a known compiler, return `Some(Box<Compiler>)`.
fn detect_compiler<T>(
creator: &T,
executable: &Path,
env: &[(OsString, OsString)],
pool: &CpuPool,
) -> SFuture<Box<dyn Compiler<T>>>
where
T: CommandCreatorSync,
{
trace!("detect_compiler: {}", executable.display());
// First, see if this looks like rustc.
let filename = match executable.file_stem() {
None => return f_err("could not determine compiler kind"),
Some(f) => f,
};
let rustc_vv = if filename.to_string_lossy().to_lowercase() == "rustc" {
// Sanity check that it's really rustc.
let executable = executable.to_path_buf();
let mut child = creator
.clone()
.new_command_sync(executable);
child.env_clear()
.envs(ref_env(env))
.args(&["-vV"]);
Box::new(run_input_output(child, None).map(|output| {
if let Ok(stdout) = String::from_utf8(output.stdout.clone()) {
if stdout.starts_with("rustc ") {
return Some(Ok(stdout));
}
}
Some(Err(ErrorKind::ProcessError(output)))
}))
} else {
f_ok(None)
};
let creator = creator.clone();
let executable = executable.to_owned();
let env = env.to_owned();
let pool = pool.clone();
Box::new(rustc_vv.and_then(move |rustc_vv| {
match rustc_vv {
Some(Ok(rustc_verbose_version)) => {
debug!("Found rustc");
Box::new(Rust::new(creator, executable, &env, &rustc_verbose_version, pool).map(|c| Box::new(c) as Box<dyn Compiler<T>>))
},
Some(Err(e)) => f_err(e),
None => detect_c_compiler(creator, executable, env, pool)
}
}))
}
fn detect_c_compiler<T>(
creator: T,
executable: PathBuf,
env: Vec<(OsString, OsString)>,
pool: CpuPool,
) -> SFuture<Box<dyn Compiler<T>>>
where
T: CommandCreatorSync,
{
trace!("detect_c_compiler");
let test = b"#if defined(_MSC_VER) && defined(__clang__)
msvc-clang
#elif defined(_MSC_VER)
msvc
#elif defined(__clang__)
clang
#elif defined(__GNUC__)
gcc
#elif defined(__DCC__)
diab
#endif
".to_vec();
let write = write_temp_file(&pool, "testfile.c".as_ref(), test);
let mut cmd = creator.clone().new_command_sync(&executable);
cmd.stdout(Stdio::piped())
.stderr(Stdio::piped())
.envs(env.iter().map(|s| (&s.0, &s.1)));
let output = write.and_then(move |(tempdir, src)| {
cmd.arg("-E").arg(src);
trace!("compiler {:?}", cmd);
cmd.spawn()
.and_then(|child| {
child
.wait_with_output()
.chain_err(|| "failed to read child output")
}).map(|e| {
drop(tempdir);
e
})
});
Box::new(output.and_then(move |output| -> SFuture<_> {
let stdout = match str::from_utf8(&output.stdout) {
Ok(s) => s,
Err(_) => return f_err("Failed to parse output"),
};
for line in stdout.lines() {
//TODO: do something smarter here.
match line {
"clang" => {
debug!("Found clang");
return Box::new(CCompiler::new(Clang, executable, &pool)
.map(|c| Box::new(c) as Box<dyn Compiler<T>>));
}
"diab" => {
debug!("Found diab");
return Box::new(CCompiler::new(Diab, executable, &pool)
.map(|c| Box::new(c) as Box<dyn Compiler<T>>));
}
"gcc" => {
debug!("Found GCC");
return Box::new(CCompiler::new(GCC, executable, &pool)
.map(|c| Box::new(c) as Box<dyn Compiler<T>>));
}
"msvc" | "msvc-clang" => {
let is_clang = line == "msvc-clang";
debug!("Found MSVC (is clang: {})", is_clang);
let prefix = msvc::detect_showincludes_prefix(&creator,
executable.as_ref(),
is_clang,
env,
&pool);
return Box::new(prefix.and_then(move |prefix| {
trace!("showIncludes prefix: '{}'", prefix);
CCompiler::new(MSVC {
includes_prefix: prefix,
is_clang,
}, executable, &pool)
.map(|c| Box::new(c) as Box<dyn Compiler<T>>)
}))
}
_ => (),
}
}
let stderr = String::from_utf8_lossy(&output.stderr);
debug!("nothing useful in detection output {:?}", stdout);
debug!("compiler status: {}", output.status);
debug!("compiler stderr:\n{}", stderr);
f_err(stderr.into_owned())
}))
}
/// If `executable` is a known compiler, return a `Box<Compiler>` containing information about it.
pub fn get_compiler_info<T>(
creator: &T,
executable: &Path,
env: &[(OsString, OsString)],
pool: &CpuPool,
) -> SFuture<Box<dyn Compiler<T>>>
where
T: CommandCreatorSync,
{
let pool = pool.clone();
detect_compiler(creator, executable, env, &pool)
}
#[cfg(test)]
mod test {
use super::*;
use crate::cache::disk::DiskCache;
use crate::cache::Storage;
use futures::{future, Future};
use futures_cpupool::CpuPool;
use crate::mock_command::*;
use std::fs::{self, File};
use std::io::Write;