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
//! Helper Cargo package for compiling [libpng](https://github.com/pnggroup/libpng) into a static C library.
//!
//! Meant to be used as build dependency for dufferent `-sys` or `-vendored` packages.
//! Does not provide directly usable `libpng` functionality or bindings.
//!
//! Expected to work for:
//! - Linux: `x86_64-unknown-linux-gnu`, `aarch64-unknown-linux-gnu` (no cross-compilation supported yet)
//! - Windows: `x86_64-pc-windows-msvs`, `aarch644-pc-windows-msvs` (no cross-compilation supported yet)
//! - macOS: `x86_64-apple-darwin`, `aarch64-apple-darwin`
//! - iOS, including simulators (cross-compilation from macOS host): `x86_64-apple-ios`, `aarch64-apple-ios`, `aarch64-apple-ios-sim`
use std::{
env::consts::{ARCH as HOST_ARCH, OS as HOST_OS},
error::Error,
ffi::OsString,
fs::{self, copy, create_dir, create_dir_all, remove_dir_all},
path::{Path, PathBuf},
process::Command,
vec::Vec,
};
/// Version of the `libpng` library
pub const LIBPNG_VERSION: &str = "1.6.43";
/// Represents result of complete building.
pub struct Artifacts {
/// Artifacts root directory, see [build_all_artifacts](build_all_artifacts) for explanantion.
pub root_dir: PathBuf,
/// C headers directory, see [build_all_artifacts](build_all_artifacts) for explanantion.
pub include_dir: PathBuf,
/// Library search directory, see [build_all_artifacts](build_all_artifacts) for explanantion.
pub lib_dir: PathBuf,
/// Library name for linker.
pub link_name: String,
}
/// Returns the path to the source directory without any modifications.
///
/// Use it to generate bindings to the `libpng` if needed.
/// The directory does not contain 'pnglibconf.h', generated at build time.
pub fn source_path() -> PathBuf {
Path::new(env!("CARGO_MANIFEST_DIR")).join("libpng")
}
/// Builds all artifacts and aggregates library and include headers in a directory.
/// Would create working directory if missing.
/// Would remove previous content of 'build/' and 'libpng/' subdirectories if not empty (see below).
///
/// # Example
/// ```ignore
/// // 'build.rs' of an another crate
/// use std::{env::var, path::PathBuf};
///
/// use libpng_src::build_artifact;
///
/// fn main() {
/// let target = var("TARGET").unwrap();
/// let out_dir = var("OUT_DIR").map(PathBuf::from).unwrap();
///
/// let artifact_info = build_artifact(&target, &out_dir)
/// .unwrap();
///
/// println!("cargo:rustc-link-search=native={}", artifact_info.lib_dir.to_string_lossy());
/// println!("cargo:rustc-link-lib=static={}", artifact_info.link_name);
/// }
/// ```
///
/// # Example with bindgen
/// ```ignore
/// use std::{env::var, path::PathBuf};
/// // 'build.rs' of an another crate
///
/// use bindgen;
///
/// use libpng_src::build_artifact;
///
/// fn main() {
/// let target = var("TARGET").unwrap();
/// let out_dir = var("OUT_DIR").map(PathBuf::from).unwrap();
///
/// let artifact_info = build_artifact(&target, &out_dir)
/// .unwrap();
///
/// println!("cargo:rustc-link-search=native={}", artifact_info.lib_dir.to_string_lossy());
/// println!("cargo:rustc-link-lib=static={}", artifact_info.link_name);
///
/// let main_header_path = artifact_info.include_dir.join("png.h");
///
/// bindgen::builder()
/// .header(main_header_path.to_string_lossy())
/// .allowlist_file(main_header_path.to_string_lossy())
/// .generate()
/// .unwrap()
/// .write_to_file(out_dir.join("bindings.rs"))
/// .unwrap()
/// }
/// ```
///
/// # File structure
/// ```text
/// working_directory/
/// |->build/ ... Temporary build directory - do not use directly.
/// └->libpng/ ... Artifact root directory.
/// |->include/ ... C include headers - generate FFI bindings.
/// └->lib/ ... Static library - add to link search path.
/// ```
pub fn build_artifact(target_str: &str, working_dir: &Path) -> Result<Artifacts, Box<dyn Error>> {
let build_dir = working_dir.join("build");
let library_path = compile_lib(target_str, &build_dir)?;
let library_filename = library_path
.file_name()
.map(|os| os.to_string_lossy())
.map(String::from)
.unwrap();
let root_dir = working_dir.join("libpng");
if root_dir.exists() {
remove_dir_all(&root_dir)?;
}
create_dir_all(&root_dir)?;
let include_dir = root_dir.join("include");
create_dir(&include_dir)?;
copy(source_path().join("png.h"), include_dir.join("png.h"))?;
copy(
source_path().join("pngconf.h"),
include_dir.join("pngconf.h"),
)?;
copy(
build_dir.join("pnglibconf.h"),
include_dir.join("pnglibconf.h"),
)?;
let lib_dir = root_dir.join("lib");
create_dir_all(&lib_dir)?;
copy(library_path, lib_dir.join(&library_filename))?;
// Cleanup
remove_dir_all(build_dir).map_or_else(
|_| println!("'libpng-src' cannot clean build directoey"),
|f| f,
);
Ok(Artifacts {
root_dir,
include_dir,
lib_dir,
link_name: link_name(library_filename),
})
}
/// Statically compiles `libpng` library and returns the path to the compiled artifact.
/// Should be used when include headers are not needed.
/// Would create working directory if missing, would remove its previous content if not empty.
/// # Usage Example
/// ```ignore
/// /// 'build.rs' of a consumer crate
/// use std::{env::var, fs::copy, path::PathBuf};
///
/// use libpng_src;
///
/// fn main() {
/// let target = var("TARGET").unwrap();
/// let out_dir = var("OUT_DIR").map(PathBuf::from).unwrap();
///
/// let lib_path = libpng_src::compile_lib(&target, &out_dir).unwrap();
///
/// println!("cargo:rustc-link-search=native={}", lib_path.parent().unwrap().to_string_lossy());
/// #[cfg(not(target_os = "windows"))]
/// println!("cargo:rustc-link-lib=static=png16");
/// #[cfg(target_os = "windows")]
/// println!("cargo:rustc-link-lib=static=png16_static");
/// }
/// ```
pub fn compile_lib(target_str: &str, working_dir: &Path) -> Result<PathBuf, Box<dyn Error>> {
if !allowed_targets_for_host().contains(&target_str) {
return Err(format!(
"Unsupported target: {target_str}, for host OS: {HOST_OS}, arch: {HOST_ARCH}"
)
.into());
}
if working_dir.exists() {
fs::remove_dir_all(working_dir)?;
}
fs::create_dir_all(working_dir)?;
let source_path = source_path();
let mut cmake_args = cmake_options(target_str)?;
cmake_args.push(source_path.into_os_string());
execute("cmake", &cmake_args, working_dir)?;
execute(
"cmake",
&["--build", ".", "--config", "Release"].map(OsString::from),
working_dir,
)?;
artifact_path(working_dir)
}
fn allowed_targets_for_host() -> Vec<&'static str> {
match (HOST_OS, HOST_ARCH) {
("macos", _) => vec![
"aarch64-apple-darwin",
"x86_64-apple-darwin",
"aarch64-apple-ios",
"aarch64-apple-ios-sim",
"x86_64-apple-ios",
],
("linux", "x86_64") => vec!["x86_64-unknown-linux-gnu"],
("linux", "aarch64") => vec!["aarch64-unknown-linux-gnu"],
("windows", "x86_64") => vec!["x86_64-pc-windows-msvc"],
("windows", "aarch64") => vec!["aarch64-pc-windows-msvc"],
_ => vec![],
}
}
fn cmake_options(target_str: &str) -> Result<Vec<OsString>, Box<dyn Error>> {
let mut options = common_cmake_options();
let mut specific_options = match HOST_OS {
"macos" => macos_specific_cmake_options(target_str),
"windows" => windows_specific_cmake_options(),
"linux" => Ok(vec![]),
_ => Err(format!("Unsupported host OS: {}", HOST_OS).into()),
}?;
options.append(&mut specific_options);
Ok(options)
}
fn common_cmake_options() -> Vec<OsString> {
vec![
OsString::from("-DPNG_SHARED=OFF"),
OsString::from("-DPNG_TESTS=OFF"),
]
}
fn macos_specific_cmake_options(target_str: &str) -> Result<Vec<OsString>, Box<dyn Error>> {
match target_str {
"aarch64-apple-darwin" => Ok(vec!["-DCMAKE_OSX_ARCHITECTURES=arm64"]),
"x86_64-apple-darwin" => Ok(vec!["-DCMAKE_OSX_ARCHITECTURES=x86_64"]),
"aarch64-apple-ios" => Ok(vec![
"-DCMAKE_SYSTEM_NAME=iOS",
"-DCMAKE_OSX_ARCHITECTURES=arm64",
]),
"aarch64-apple-ios-sim" => Ok(vec![
"-DCMAKE_SYSTEM_NAME=iOS",
"-DCMAKE_OSX_ARCHITECTURES=arm64",
"-DCMAKE_OSX_SYSROOT=iphonesimulator",
]),
"x86_64-apple-ios" => Ok(vec![
"-DCMAKE_SYSTEM_NAME=iOS",
"-DCMAKE_OSX_ARCHITECTURES=x86_64",
"-DCMAKE_OSX_SYSROOT=iphonesimulator",
]),
_ => Err(format!(
"Unsupported target: {}, for host OS: {}",
target_str, HOST_OS
)
.into()),
}
.map(|mut str_vec| {
// Don't assemble the framework as it has no sense for Rust
str_vec.push("-DPNG_FRAMEWORK=OFF");
str_vec
})
.map(|str_vec| str_vec.into_iter().map(OsString::from).collect())
}
fn windows_specific_cmake_options() -> Result<Vec<OsString>, Box<dyn Error>> {
let zlib_include_path = Path::new(env!("CARGO_MANIFEST_DIR")).join("win-zlib-include");
let zlib_lib_path = zlib_include_path.join("zlib.lib");
let mut include_param = OsString::from("-DZLIB_INCLUDE_DIR=");
include_param.push(zlib_include_path);
let mut lib_param = OsString::from("-DZLIB_LIBRARY=");
lib_param.push(zlib_lib_path);
Ok(vec![include_param, lib_param])
}
fn execute(command: &str, args: &[OsString], cwd: &Path) -> Result<(), Box<dyn Error>> {
let output = Command::new(command).current_dir(cwd).args(args).output()?;
if !output.status.success() {
let message = format!(
"Command '{}' failed with status code {}\nError: {}",
command,
output.status.code().unwrap_or(-1),
String::from_utf8_lossy(&output.stderr)
);
return Err(message.into());
}
let args_vec: Vec<&str> = args
.iter()
.map(|a| a.to_str().unwrap_or("!error!"))
.collect();
println!("Executed '{} {}' successfully", command, args_vec.join(" "));
println!("{}", String::from_utf8_lossy(&output.stdout));
Ok(())
}
fn artifact_path(working_dir: &Path) -> Result<PathBuf, Box<dyn Error>> {
let filename = match HOST_OS {
"windows" => "Release\\libpng16_static.lib",
_ => "libpng16.a",
};
let artifact_path = working_dir.join(filename);
if !artifact_path.exists() {
return Err(format!("Artifact not found at path: {}", artifact_path.display()).into());
}
Ok(artifact_path)
}
fn link_name(file_name: String) -> String {
let file_name = file_name.split('.').next().unwrap();
#[cfg(not(target_os = "windows"))]
let file_name = file_name.trim_start_matches("lib");
file_name.to_string()
}
#[cfg(test)]
mod tests;