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
|
use super::get_binary_by_filename;
use crate::backends::{Backend, RunError};
use crate::serde_duration::deserialize_duration;
use crate::wait::{wait_child, ChildExitStatus};
use serde_derive::Deserialize;
use std::io::{Error, ErrorKind, Result as IoResult};
use std::path::{Path, PathBuf};
use std::process::Command;
use std::time::Duration;
#[derive(Debug, Deserialize, Default)]
pub struct ClangCBackend {
template: Option<String>,
#[serde(default)]
args: Vec<String>,
#[serde(default = "default_cc")]
cc: String,
#[serde(default = "default_timeout", deserialize_with = "deserialize_duration")]
timeout: Duration,
}
fn default_cc() -> String {
"clang".to_string()
}
fn default_timeout() -> Duration {
Duration::from_secs(1)
}
impl ClangCBackend {
fn build(&self, fname: &Path) -> IoResult<PathBuf> {
let binary_fname = get_binary_by_filename(fname)?;
let get_mtime = |file| std::fs::metadata(file)?.modified();
let src_mod = get_mtime(fname);
let binary_mod = get_mtime(&binary_fname);
if src_mod.is_err() || binary_mod.is_err() || src_mod.unwrap() > binary_mod.unwrap() {
let clang_status = Command::new(&self.cc)
.arg("-x")
.arg("c")
.arg(fname.clone().as_os_str())
.arg("-o")
.arg(&binary_fname)
.args(&self.args)
.status()?;
if !clang_status.success() {
return Err(Error::new(ErrorKind::Other, "could not compile"));
}
}
Ok(binary_fname)
}
}
impl Backend for ClangCBackend {
fn get_template(&self) -> Option<&str> {
match self.template {
Some(ref t) => Some(t),
None => None,
}
}
fn run(&self, fname: &Path) -> Result<ChildExitStatus, RunError> {
let binary_fname = self.build(fname)?;
let proc = Command::new(&binary_fname).spawn()?;
Ok(wait_child(proc, self.timeout, std::time::Instant::now())?)
}
}
|