Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add API to Record Compile Invocation #682

Open
wants to merge 1 commit into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
1 change: 1 addition & 0 deletions .github/workflows/main.yml
Original file line number Diff line number Diff line change
Expand Up @@ -87,6 +87,7 @@ jobs:
- run: cargo build
- run: cargo test ${{ matrix.no_run }}
- run: cargo test ${{ matrix.no_run }} --features parallel
- run: cargo test ${{ matrix.no_run }} --features compile_commands
- run: cargo test ${{ matrix.no_run }} --manifest-path cc-test/Cargo.toml --target ${{ matrix.target }}
- run: cargo test ${{ matrix.no_run }} --manifest-path cc-test/Cargo.toml --target ${{ matrix.target }} --features parallel
- run: cargo test ${{ matrix.no_run }} --manifest-path cc-test/Cargo.toml --target ${{ matrix.target }} --release
Expand Down
2 changes: 2 additions & 0 deletions Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -19,9 +19,11 @@ edition = "2018"

[dependencies]
jobserver = { version = "0.1.16", optional = true }
tinyjson = { version = "2.3.0", optional = true }

[features]
parallel = ["jobserver"]
compile_commands = ["tinyjson"]

[dev-dependencies]
tempfile = "3"
128 changes: 128 additions & 0 deletions src/json_compilation_database.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,128 @@
use std::path::PathBuf;
use std::process::Command;
#[cfg(feature = "compile_commands")]
use tinyjson::JsonValue;

/// An entry for creating a [JSON Compilation Database](https://clang.llvm.org/docs/JSONCompilationDatabase.html).
pub struct CompileCommand {
directory: PathBuf,
arguments: Vec<String>,
file: PathBuf,
output: PathBuf,
}

impl CompileCommand {
#[cfg(feature = "compile_commands")]
pub(crate) fn new(cmd: &Command, src: PathBuf, output: PathBuf) -> Self {
let mut arguments = Vec::with_capacity(cmd.get_args().len() + 1);

let program = String::from(cmd.get_program().to_str().unwrap());
arguments.push(
crate::which(&program)
.map(|p| p.to_string_lossy().into_owned())
.map(|p| p.to_string())
.unwrap_or(program),
);
arguments.extend(
cmd.get_args()
.flat_map(std::ffi::OsStr::to_str)
.map(String::from),
);

Self {
// TODO: is the assumption correct?
directory: std::env::current_dir().unwrap(),
arguments,
file: src,
output,
}
}

/// This is a dummy implementation when `Command::get_args` is unavailable (e.g. MSRV or older
/// Rust versions)
#[cfg(not(feature = "compile_commands"))]
pub(crate) fn new(_cmd: &Command, src: PathBuf, output: PathBuf) -> Self {
Self {
// TODO: is the assumption correct?
directory: std::env::current_dir().unwrap(),
arguments: Vec::new(),
file: src,
output,
}
}

/// The working directory of the compilation. All paths specified in the command or file fields
/// must be either absolute or relative to this directory.
pub fn directory(&self) -> &PathBuf {
&self.directory
}

/// The name of the output created by this compilation step. This field is optional. It can be
/// used to distinguish different processing modes of the same input file.
pub fn output(&self) -> &PathBuf {
&self.output
}

/// The main translation unit source processed by this compilation step. This is used by tools
/// as the key into the compilation database. There can be multiple command objects for the
/// same file, for example if the same source file is compiled with different configurations.
pub fn file(&self) -> &PathBuf {
&self.file
}

/// The compile command argv as list of strings. This should run the compilation step for the
/// translation unit file. arguments[0] should be the executable name, such as clang++.
/// Arguments should not be escaped, but ready to pass to execvp().
pub fn arguments(&self) -> &Vec<String> {
&self.arguments
}
}

/// Stores the provided list of [compile commands](crate::CompileCommand) as [JSON
/// Compilation Database](https://clang.llvm.org/docs/JSONCompilationDatabase.html).
#[cfg(feature = "compile_commands")]
pub fn store_json_compilation_database<'a, C, P>(commands: C, path: P)
where
C: IntoIterator<Item = &'a CompileCommand>,
P: AsRef<std::path::Path>,
{
let db = JsonValue::Array(
commands
.into_iter()
.map(|command| command.into())
.collect::<Vec<JsonValue>>(),
);

std::fs::write(path, db.stringify().unwrap()).unwrap();
}

#[cfg(feature = "compile_commands")]
impl<'a> std::convert::From<&CompileCommand> for JsonValue {
fn from(compile_command: &CompileCommand) -> Self {
use std::collections::HashMap;
JsonValue::Object(HashMap::from([
(
String::from("directory"),
JsonValue::String(compile_command.directory.to_string_lossy().to_string()),
),
(
String::from("file"),
JsonValue::String(compile_command.file.to_string_lossy().to_string()),
),
(
String::from("output"),
JsonValue::String(compile_command.output.to_string_lossy().to_string()),
),
(
String::from("arguments"),
JsonValue::Array(
compile_command
.arguments
.iter()
.map(|arg| JsonValue::String(arg.to_string()))
.collect::<Vec<_>>(),
),
),
]))
}
}
92 changes: 69 additions & 23 deletions src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -56,6 +56,10 @@
#![allow(deprecated)]
#![deny(missing_docs)]

#[cfg(not(feature = "compile_commands"))]
use crate::json_compilation_database::CompileCommand;
#[cfg(feature = "compile_commands")]
pub use crate::json_compilation_database::{store_json_compilation_database, CompileCommand};
use std::collections::HashMap;
use std::env;
use std::ffi::{OsStr, OsString};
Expand All @@ -81,6 +85,7 @@ mod setup_config;
#[cfg(windows)]
mod vs_instances;

mod json_compilation_database;
pub mod windows_registry;

/// A builder for compilation of a native library.
Expand Down Expand Up @@ -943,8 +948,17 @@ impl Build {

/// Run the compiler, generating the file `output`
///
/// This will return a result instead of panicing; see compile() for the complete description.
/// This will return a result instead of panicing; see [compile()](Build::compile) for the complete description.
pub fn try_compile(&self, output: &str) -> Result<(), Error> {
self.try_recorded_compile(output)?;
Ok(())
}

/// Run the compiler, generating the file `output` and provides compile commands for creating
/// [JSON Compilation Database](https://clang.llvm.org/docs/JSONCompilationDatabase.html).
///
/// This will return a result instead of panicing; see [recorded_compile()](Build::recorded_compile) for the complete description.
pub fn try_recorded_compile(&self, output: &str) -> Result<Vec<CompileCommand>, Error> {
let mut output_components = Path::new(output).components();
match (output_components.next(), output_components.next()) {
(Some(Component::Normal(_)), None) => {}
Expand Down Expand Up @@ -990,7 +1004,7 @@ impl Build {

objects.push(Object::new(file.to_path_buf(), obj));
}
self.compile_objects(&objects)?;
let entries = self.compile_objects(&objects)?;
self.assemble(lib_name, &dst.join(gnu_lib_name), &objects)?;

if self.get_target()?.contains("msvc") {
Expand Down Expand Up @@ -1074,7 +1088,7 @@ impl Build {
}
}

Ok(())
Ok(entries)
}

/// Run the compiler, generating the file `output`
Expand Down Expand Up @@ -1120,8 +1134,30 @@ impl Build {
}
}

/// Run the compiler, generating the file `output` and provides compile commands for creating
/// [JSON Compilation Database](https://clang.llvm.org/docs/JSONCompilationDatabase.html),
///
/// ```no_run
/// let compile_commands = cc::Build::new().file("blobstore.c")
/// .recorded_compile("blobstore");
///
/// #[cfg(feature = "compile_commands")]
/// cc::store_json_compilation_database(&compile_commands, "target/compilation_database.json");
/// ```
///
/// See [compile()](Build::compile) for the further description.
#[cfg(feature = "compile_commands")]
pub fn recorded_compile(&self, output: &str) -> Vec<CompileCommand> {
match self.try_recorded_compile(output) {
Ok(entries) => entries,
Err(e) => {
fail(&e.message);
}
}
}

#[cfg(feature = "parallel")]
fn compile_objects<'me>(&'me self, objs: &[Object]) -> Result<(), Error> {
fn compile_objects<'me>(&'me self, objs: &[Object]) -> Result<Vec<CompileCommand>, Error> {
use std::sync::atomic::{AtomicBool, Ordering::SeqCst};
use std::sync::Once;

Expand Down Expand Up @@ -1191,9 +1227,11 @@ impl Build {
threads.push(JoinOnDrop(Some(thread)));
}

let mut entries = Vec::new();

for mut thread in threads {
if let Some(thread) = thread.0.take() {
thread.join().expect("thread should not panic")?;
entries.push(thread.join().expect("thread should not panic")?);
}
}

Expand All @@ -1203,7 +1241,7 @@ impl Build {
server.acquire_raw()?;
}

return Ok(());
return Ok(entries);

/// Shared state from the parent thread to the child thread. This
/// package of pointers is temporarily transmuted to a `'static`
Expand Down Expand Up @@ -1260,7 +1298,7 @@ impl Build {
return client;
}

struct JoinOnDrop(Option<thread::JoinHandle<Result<(), Error>>>);
struct JoinOnDrop(Option<thread::JoinHandle<Result<CompileCommand, Error>>>);

impl Drop for JoinOnDrop {
fn drop(&mut self) {
Expand All @@ -1272,14 +1310,15 @@ impl Build {
}

#[cfg(not(feature = "parallel"))]
fn compile_objects(&self, objs: &[Object]) -> Result<(), Error> {
fn compile_objects(&self, objs: &[Object]) -> Result<Vec<CompileCommand>, Error> {
let mut entries = Vec::new();
for obj in objs {
self.compile_object(obj)?;
entries.push(self.compile_object(obj)?);
}
Ok(())
Ok(entries)
}

fn compile_object(&self, obj: &Object) -> Result<(), Error> {
fn compile_object(&self, obj: &Object) -> Result<CompileCommand, Error> {
let is_asm = obj.src.extension().and_then(|s| s.to_str()) == Some("asm");
let target = self.get_target()?;
let msvc = target.contains("msvc");
Expand Down Expand Up @@ -1324,7 +1363,7 @@ impl Build {
}

run(&mut cmd, &name)?;
Ok(())
Ok(CompileCommand::new(&cmd, obj.src.clone(), obj.dst.clone()))
}

/// This will return a result instead of panicing; see expand() for the complete description.
Expand Down Expand Up @@ -3335,22 +3374,29 @@ fn map_darwin_target_from_rust_to_compiler_architecture(target: &str) -> Option<
}
}

fn which(tool: &Path) -> Option<PathBuf> {
pub(crate) fn which<P>(tool: P) -> Option<PathBuf>
where
P: AsRef<Path>,
{
fn check_exe(exe: &mut PathBuf) -> bool {
let exe_ext = std::env::consts::EXE_EXTENSION;
exe.exists() || (!exe_ext.is_empty() && exe.set_extension(exe_ext) && exe.exists())
}

// If |tool| is not just one "word," assume it's an actual path...
if tool.components().count() > 1 {
let mut exe = PathBuf::from(tool);
return if check_exe(&mut exe) { Some(exe) } else { None };
fn non_generic_which(tool: &Path) -> Option<PathBuf> {
// If |tool| is not just one "word," assume it's an actual path...
if tool.components().count() > 1 {
let mut exe = PathBuf::from(tool);
return if check_exe(&mut exe) { Some(exe) } else { None };
}

// Loop through PATH entries searching for the |tool|.
let path_entries = env::var_os("PATH")?;
env::split_paths(&path_entries).find_map(|path_entry| {
let mut exe = path_entry.join(tool);
return if check_exe(&mut exe) { Some(exe) } else { None };
})
}

// Loop through PATH entries searching for the |tool|.
let path_entries = env::var_os("PATH")?;
env::split_paths(&path_entries).find_map(|path_entry| {
let mut exe = path_entry.join(tool);
return if check_exe(&mut exe) { Some(exe) } else { None };
})
non_generic_which(tool.as_ref())
}