cxx_build/
lib.rs

1//! The CXX code generator for constructing and compiling C++ code.
2//!
3//! This is intended to be used from Cargo build scripts to execute CXX's
4//! C++ code generator, set up any additional compiler flags depending on
5//! the use case, and make the C++ compiler invocation.
6//!
7//! <br>
8//!
9//! # Example
10//!
11//! Example of a canonical Cargo build script that builds a CXX bridge:
12//!
13//! ```no_run
14//! // build.rs
15//!
16//! fn main() {
17//!     cxx_build::bridge("src/main.rs")
18//!         .file("src/demo.cc")
19//!         .std("c++11")
20//!         .compile("cxxbridge-demo");
21//!
22//!     println!("cargo:rerun-if-changed=src/main.rs");
23//!     println!("cargo:rerun-if-changed=src/demo.cc");
24//!     println!("cargo:rerun-if-changed=include/demo.h");
25//! }
26//! ```
27//!
28//! A runnable working setup with this build script is shown in the *demo*
29//! directory of [https://github.com/dtolnay/cxx].
30//!
31//! [https://github.com/dtolnay/cxx]: https://github.com/dtolnay/cxx
32//!
33//! <br>
34//!
35//! # Alternatives
36//!
37//! For use in non-Cargo builds like Bazel or Buck, CXX provides an
38//! alternate way of invoking the C++ code generator as a standalone command
39//! line tool. The tool is packaged as the `cxxbridge-cmd` crate.
40//!
41//! ```bash
42//! $ cargo install cxxbridge-cmd  # or build it from the repo
43//!
44//! $ cxxbridge src/main.rs --header > path/to/mybridge.h
45//! $ cxxbridge src/main.rs > path/to/mybridge.cc
46//! ```
47
48#![doc(html_root_url = "https://docs.rs/cxx-build/1.0.153")]
49#![cfg_attr(not(check_cfg), allow(unexpected_cfgs))]
50#![allow(
51    clippy::cast_sign_loss,
52    clippy::default_trait_access,
53    clippy::doc_markdown,
54    clippy::elidable_lifetime_names,
55    clippy::enum_glob_use,
56    clippy::explicit_auto_deref,
57    clippy::inherent_to_string,
58    clippy::items_after_statements,
59    clippy::match_bool,
60    clippy::match_on_vec_items,
61    clippy::match_same_arms,
62    clippy::needless_doctest_main,
63    clippy::needless_lifetimes,
64    clippy::needless_pass_by_value,
65    clippy::nonminimal_bool,
66    clippy::redundant_else,
67    clippy::ref_as_ptr,
68    clippy::ref_option,
69    clippy::similar_names,
70    clippy::single_match_else,
71    clippy::struct_excessive_bools,
72    clippy::struct_field_names,
73    clippy::too_many_arguments,
74    clippy::too_many_lines,
75    clippy::toplevel_ref_arg,
76    clippy::uninlined_format_args,
77    clippy::upper_case_acronyms
78)]
79
80mod cargo;
81mod cfg;
82mod deps;
83mod error;
84mod gen;
85mod intern;
86mod out;
87mod paths;
88mod syntax;
89mod target;
90mod vec;
91
92use crate::cargo::CargoEnvCfgEvaluator;
93use crate::deps::{Crate, HeaderDir};
94use crate::error::{Error, Result};
95use crate::gen::error::report;
96use crate::gen::Opt;
97use crate::paths::PathExt;
98use crate::syntax::map::{Entry, UnorderedMap};
99use crate::target::TargetDir;
100use cc::Build;
101use std::collections::BTreeSet;
102use std::env;
103use std::ffi::{OsStr, OsString};
104use std::io::{self, Write};
105use std::iter;
106use std::path::{Path, PathBuf};
107use std::process;
108
109pub use crate::cfg::{Cfg, CFG};
110
111/// This returns a [`cc::Build`] on which you should continue to set up any
112/// additional source files or compiler flags, and lastly call its [`compile`]
113/// method to execute the C++ build.
114///
115/// [`compile`]: cc::Build::compile
116#[must_use]
117pub fn bridge(rust_source_file: impl AsRef<Path>) -> Build {
118    bridges(iter::once(rust_source_file))
119}
120
121/// `cxx_build::bridge` but for when more than one file contains a
122/// #\[cxx::bridge\] module.
123///
124/// ```no_run
125/// let source_files = vec!["src/main.rs", "src/path/to/other.rs"];
126/// cxx_build::bridges(source_files)
127///     .file("src/demo.cc")
128///     .std("c++11")
129///     .compile("cxxbridge-demo");
130/// ```
131#[must_use]
132pub fn bridges(rust_source_files: impl IntoIterator<Item = impl AsRef<Path>>) -> Build {
133    let ref mut rust_source_files = rust_source_files.into_iter();
134    build(rust_source_files).unwrap_or_else(|err| {
135        let _ = writeln!(io::stderr(), "\n\ncxxbridge error: {}\n\n", report(err));
136        process::exit(1);
137    })
138}
139
140struct Project {
141    include_prefix: PathBuf,
142    manifest_dir: PathBuf,
143    // The `links = "..."` value from Cargo.toml.
144    links_attribute: Option<OsString>,
145    // Output directory as received from Cargo.
146    out_dir: PathBuf,
147    // Directory into which to symlink all generated code.
148    //
149    // This is *not* used for an #include path, only as a debugging convenience.
150    // Normally available at target/cxxbridge/ if we are able to know where the
151    // target dir is, otherwise under a common scratch dir.
152    //
153    // The reason this isn't the #include dir is that we do not want builds to
154    // have access to headers from arbitrary other parts of the dependency
155    // graph. Using a global directory for all builds would be both a race
156    // condition depending on what order Cargo randomly executes the build
157    // scripts, as well as semantically undesirable for builds not to have to
158    // declare their real dependencies.
159    shared_dir: PathBuf,
160}
161
162impl Project {
163    fn init() -> Result<Self> {
164        let include_prefix = Path::new(CFG.include_prefix);
165        assert!(include_prefix.is_relative());
166        let include_prefix = include_prefix.components().collect();
167
168        let links_attribute = env::var_os("CARGO_MANIFEST_LINKS");
169
170        let manifest_dir = paths::manifest_dir()?;
171        let out_dir = paths::out_dir()?;
172
173        let shared_dir = match target::find_target_dir(&out_dir) {
174            TargetDir::Path(target_dir) => target_dir.join("cxxbridge"),
175            TargetDir::Unknown => scratch::path("cxxbridge"),
176        };
177
178        Ok(Project {
179            include_prefix,
180            manifest_dir,
181            links_attribute,
182            out_dir,
183            shared_dir,
184        })
185    }
186}
187
188// We lay out the OUT_DIR as follows. Everything is namespaced under a cxxbridge
189// subdirectory to avoid stomping on other things that the caller's build script
190// might be doing inside OUT_DIR.
191//
192//     $OUT_DIR/
193//        cxxbridge/
194//           crate/
195//              $CARGO_PKG_NAME -> $CARGO_MANIFEST_DIR
196//           include/
197//              rust/
198//                 cxx.h
199//              $CARGO_PKG_NAME/
200//                 .../
201//                    lib.rs.h
202//           sources/
203//              $CARGO_PKG_NAME/
204//                 .../
205//                    lib.rs.cc
206//
207// The crate/ and include/ directories are placed on the #include path for the
208// current build as well as for downstream builds that have a direct dependency
209// on the current crate.
210fn build(rust_source_files: &mut dyn Iterator<Item = impl AsRef<Path>>) -> Result<Build> {
211    let ref prj = Project::init()?;
212    validate_cfg(prj)?;
213    let this_crate = make_this_crate(prj)?;
214
215    let mut build = Build::new();
216    build.cpp(true);
217    build.cpp_link_stdlib(None); // linked via link-cplusplus crate
218
219    for path in rust_source_files {
220        generate_bridge(prj, &mut build, path.as_ref())?;
221    }
222
223    this_crate.print_to_cargo();
224    eprintln!("\nCXX include path:");
225    for header_dir in this_crate.header_dirs {
226        build.include(&header_dir.path);
227        if header_dir.exported {
228            eprintln!("  {}", header_dir.path.display());
229        } else {
230            eprintln!("  {} (private)", header_dir.path.display());
231        }
232    }
233
234    Ok(build)
235}
236
237fn validate_cfg(prj: &Project) -> Result<()> {
238    for exported_dir in &CFG.exported_header_dirs {
239        if !exported_dir.is_absolute() {
240            return Err(Error::ExportedDirNotAbsolute(exported_dir));
241        }
242    }
243
244    for prefix in &CFG.exported_header_prefixes {
245        if prefix.is_empty() {
246            return Err(Error::ExportedEmptyPrefix);
247        }
248    }
249
250    if prj.links_attribute.is_none() {
251        if !CFG.exported_header_dirs.is_empty() {
252            return Err(Error::ExportedDirsWithoutLinks);
253        }
254        if !CFG.exported_header_prefixes.is_empty() {
255            return Err(Error::ExportedPrefixesWithoutLinks);
256        }
257        if !CFG.exported_header_links.is_empty() {
258            return Err(Error::ExportedLinksWithoutLinks);
259        }
260    }
261
262    Ok(())
263}
264
265fn make_this_crate(prj: &Project) -> Result<Crate> {
266    let crate_dir = make_crate_dir(prj);
267    let include_dir = make_include_dir(prj)?;
268
269    let mut this_crate = Crate {
270        include_prefix: Some(prj.include_prefix.clone()),
271        links: prj.links_attribute.clone(),
272        header_dirs: Vec::new(),
273    };
274
275    // The generated code directory (include_dir) is placed in front of
276    // crate_dir on the include line so that `#include "path/to/file.rs"` from
277    // C++ "magically" works and refers to the API generated from that Rust
278    // source file.
279    this_crate.header_dirs.push(HeaderDir {
280        exported: true,
281        path: include_dir,
282    });
283
284    this_crate.header_dirs.push(HeaderDir {
285        exported: true,
286        path: crate_dir,
287    });
288
289    for exported_dir in &CFG.exported_header_dirs {
290        this_crate.header_dirs.push(HeaderDir {
291            exported: true,
292            path: PathBuf::from(exported_dir),
293        });
294    }
295
296    let mut header_dirs_index = UnorderedMap::new();
297    let mut used_header_links = BTreeSet::new();
298    let mut used_header_prefixes = BTreeSet::new();
299    for krate in deps::direct_dependencies() {
300        let mut is_link_exported = || match &krate.links {
301            None => false,
302            Some(links_attribute) => CFG.exported_header_links.iter().any(|&exported| {
303                let matches = links_attribute == exported;
304                if matches {
305                    used_header_links.insert(exported);
306                }
307                matches
308            }),
309        };
310
311        let mut is_prefix_exported = || match &krate.include_prefix {
312            None => false,
313            Some(include_prefix) => CFG.exported_header_prefixes.iter().any(|&exported| {
314                let matches = include_prefix.starts_with(exported);
315                if matches {
316                    used_header_prefixes.insert(exported);
317                }
318                matches
319            }),
320        };
321
322        let exported = is_link_exported() || is_prefix_exported();
323
324        for dir in krate.header_dirs {
325            // Deduplicate dirs reachable via multiple transitive dependencies.
326            match header_dirs_index.entry(dir.path.clone()) {
327                Entry::Vacant(entry) => {
328                    entry.insert(this_crate.header_dirs.len());
329                    this_crate.header_dirs.push(HeaderDir {
330                        exported,
331                        path: dir.path,
332                    });
333                }
334                Entry::Occupied(entry) => {
335                    let index = *entry.get();
336                    this_crate.header_dirs[index].exported |= exported;
337                }
338            }
339        }
340    }
341
342    if let Some(unused) = CFG
343        .exported_header_links
344        .iter()
345        .find(|&exported| !used_header_links.contains(exported))
346    {
347        return Err(Error::UnusedExportedLinks(unused));
348    }
349
350    if let Some(unused) = CFG
351        .exported_header_prefixes
352        .iter()
353        .find(|&exported| !used_header_prefixes.contains(exported))
354    {
355        return Err(Error::UnusedExportedPrefix(unused));
356    }
357
358    Ok(this_crate)
359}
360
361fn make_crate_dir(prj: &Project) -> PathBuf {
362    if prj.include_prefix.as_os_str().is_empty() {
363        return prj.manifest_dir.clone();
364    }
365    let crate_dir = prj.out_dir.join("cxxbridge").join("crate");
366    let ref link = crate_dir.join(&prj.include_prefix);
367    let ref manifest_dir = prj.manifest_dir;
368    if out::relative_symlink_dir(manifest_dir, link).is_err() && cfg!(not(unix)) {
369        let cachedir_tag = "\
370        Signature: 8a477f597d28d172789f06886806bc55\n\
371        # This file is a cache directory tag created by cxx.\n\
372        # For information about cache directory tags see https://bford.info/cachedir/\n";
373        let _ = out::write(crate_dir.join("CACHEDIR.TAG"), cachedir_tag.as_bytes());
374        let max_depth = 6;
375        best_effort_copy_headers(manifest_dir, link, max_depth);
376    }
377    crate_dir
378}
379
380fn make_include_dir(prj: &Project) -> Result<PathBuf> {
381    let include_dir = prj.out_dir.join("cxxbridge").join("include");
382    let cxx_h = include_dir.join("rust").join("cxx.h");
383    let ref shared_cxx_h = prj.shared_dir.join("rust").join("cxx.h");
384    if let Some(ref original) = env::var_os("DEP_CXXBRIDGE1_HEADER") {
385        out::absolute_symlink_file(original, cxx_h)?;
386        out::absolute_symlink_file(original, shared_cxx_h)?;
387    } else {
388        out::write(shared_cxx_h, gen::include::HEADER.as_bytes())?;
389        out::relative_symlink_file(shared_cxx_h, cxx_h)?;
390    }
391    Ok(include_dir)
392}
393
394fn generate_bridge(prj: &Project, build: &mut Build, rust_source_file: &Path) -> Result<()> {
395    let opt = Opt {
396        allow_dot_includes: false,
397        cfg_evaluator: Box::new(CargoEnvCfgEvaluator),
398        doxygen: CFG.doxygen,
399        ..Opt::default()
400    };
401    let generated = gen::generate_from_path(rust_source_file, &opt);
402    let ref rel_path = paths::local_relative_path(rust_source_file);
403
404    let cxxbridge = prj.out_dir.join("cxxbridge");
405    let include_dir = cxxbridge.join("include").join(&prj.include_prefix);
406    let sources_dir = cxxbridge.join("sources").join(&prj.include_prefix);
407
408    let ref rel_path_h = rel_path.with_appended_extension(".h");
409    let ref header_path = include_dir.join(rel_path_h);
410    out::write(header_path, &generated.header)?;
411
412    let ref link_path = include_dir.join(rel_path);
413    let _ = out::relative_symlink_file(header_path, link_path);
414
415    let ref rel_path_cc = rel_path.with_appended_extension(".cc");
416    let ref implementation_path = sources_dir.join(rel_path_cc);
417    out::write(implementation_path, &generated.implementation)?;
418    build.file(implementation_path);
419
420    let shared_h = prj.shared_dir.join(&prj.include_prefix).join(rel_path_h);
421    let shared_cc = prj.shared_dir.join(&prj.include_prefix).join(rel_path_cc);
422    let _ = out::relative_symlink_file(header_path, shared_h);
423    let _ = out::relative_symlink_file(implementation_path, shared_cc);
424    Ok(())
425}
426
427fn best_effort_copy_headers(src: &Path, dst: &Path, max_depth: usize) {
428    // Not using crate::gen::fs because we aren't reporting the errors.
429    use std::fs;
430
431    let mut dst_created = false;
432    let Ok(mut entries) = fs::read_dir(src) else {
433        return;
434    };
435
436    while let Some(Ok(entry)) = entries.next() {
437        let file_name = entry.file_name();
438        if file_name.to_string_lossy().starts_with('.') {
439            continue;
440        }
441        match entry.file_type() {
442            Ok(file_type) if file_type.is_dir() && max_depth > 0 => {
443                let src = entry.path();
444                if src.join("Cargo.toml").exists() || src.join("CACHEDIR.TAG").exists() {
445                    continue;
446                }
447                let dst = dst.join(file_name);
448                best_effort_copy_headers(&src, &dst, max_depth - 1);
449            }
450            Ok(file_type) if file_type.is_file() => {
451                let src = entry.path();
452                match src.extension().and_then(OsStr::to_str) {
453                    Some("h" | "hh" | "hpp") => {}
454                    _ => continue,
455                }
456                if !dst_created && fs::create_dir_all(dst).is_err() {
457                    return;
458                }
459                dst_created = true;
460                let dst = dst.join(file_name);
461                let _ = fs::remove_file(&dst);
462                let _ = fs::copy(src, dst);
463            }
464            _ => {}
465        }
466    }
467}
468
469fn env_os(key: impl AsRef<OsStr>) -> Result<OsString> {
470    let key = key.as_ref();
471    env::var_os(key).ok_or_else(|| Error::NoEnv(key.to_owned()))
472}