blob: 62fbb6ee723d26f0e1e1789d0f696f0d6d0d1a12 [file] [log] [blame]
use crate::error::{Error, Result};
use std::env;
use std::fs;
use std::os;
use std::path::{Path, PathBuf};
fn out_dir() -> Result<PathBuf> {
env::var_os("OUT_DIR")
.map(PathBuf::from)
.ok_or(Error::MissingOutDir)
}
pub(crate) fn cc_build() -> cc::Build {
try_cc_build().unwrap_or_default()
}
fn try_cc_build() -> Result<cc::Build> {
let mut build = cc::Build::new();
build.include(include_dir()?);
build.include(target_dir()?.parent().unwrap());
Ok(build)
}
// Symlink the header file into a predictable place. The header generated from
// path/to/mod.rs gets linked to targets/cxxbridge/path/to/mod.rs.h.
pub(crate) fn symlink_header(path: &Path, original: &Path) {
let _ = try_symlink_header(path, original);
}
fn try_symlink_header(path: &Path, original: &Path) -> Result<()> {
#[cfg(unix)]
use os::unix::fs::symlink;
#[cfg(windows)]
use os::windows::fs::symlink_file as symlink;
let suffix = relative_to_parent_of_target_dir(original)?;
let ref dst = include_dir()?.join(suffix);
fs::create_dir_all(dst.parent().unwrap())?;
let _ = fs::remove_file(dst);
symlink(path, dst)?;
let mut file_name = dst.file_name().unwrap().to_os_string();
file_name.push(".h");
let dst2 = dst.with_file_name(file_name);
symlink(path, dst2)?;
Ok(())
}
fn relative_to_parent_of_target_dir(original: &Path) -> Result<PathBuf> {
let target_dir = target_dir()?;
let mut outer = target_dir.parent().unwrap();
let original = canonicalize(original)?;
loop {
if let Ok(suffix) = original.strip_prefix(outer) {
return Ok(suffix.to_owned());
}
match outer.parent() {
Some(parent) => outer = parent,
None => return Ok(original.components().skip(1).collect()),
}
}
}
pub(crate) fn out_with_extension(path: &Path, ext: &str) -> Result<PathBuf> {
let mut file_name = path.file_name().unwrap().to_owned();
file_name.push(ext);
let out_dir = out_dir()?;
let rel = relative_to_parent_of_target_dir(path)?;
Ok(out_dir.join(rel).with_file_name(file_name))
}
pub(crate) fn include_dir() -> Result<PathBuf> {
let target_dir = target_dir()?;
Ok(target_dir.join("cxxbridge"))
}
fn target_dir() -> Result<PathBuf> {
let mut dir = out_dir().and_then(canonicalize)?;
loop {
if dir.ends_with("target") {
return Ok(dir);
}
if !dir.pop() {
return Err(Error::TargetDir);
}
}
}
#[cfg(not(windows))]
fn canonicalize(path: impl AsRef<Path>) -> Result<PathBuf> {
Ok(fs::canonicalize(path)?)
}
#[cfg(windows)]
fn canonicalize(path: impl AsRef<Path>) -> Result<PathBuf> {
// Real fs::canonicalize on Windows produces UNC paths which cl.exe is
// unable to handle in includes. Use a poor approximation instead.
// https://github.com/rust-lang/rust/issues/42869
// https://github.com/alexcrichton/cc-rs/issues/169
Ok(env::current_dir()?.join(path))
}