Skip to content

Commit ad34a98

Browse files
committed
Refactor Rust version checking
Conditional compilation depending on Rust version using `cfg` had the disadvantage that we had to write the same code multiple times, compile it multiple times, execute it multiple times, update it multiple times... Apart from obvious maintenance issues the build script wasn't generating the list of allowed `cfg`s so those had to be maintained manually in `Cargo.toml`. This was fixable by printing an appropriate line but it's best to do it together with the other changes. Because we cannot export `cfg` flags from a crate to different crates we take a completely different approach: we define a macro called `rust_version` that takes a very naturally looking condition such as `if >= 1.70 {}`. This macro is auto-generated so that it produces different results based on the compiler version - it either expands to first block or the second block (after `else`). This way, the other crates can simply call the macro when needed. Unfortunately some minimal maintenance is still needed: to update the max version number when a newer version is used. (Note that code will still work with higher versions, it only limits which conditions can be used in downstream code.) This can be automated with the pin update script or we could just put the pin file into the `internals` directory and read the value from there. Not automating isn't terrible either since anyone adding a cfg with higher version will see a nice error about unknown version of Rust and can update it manually. Because this changes syntax to a more naturally looking version number, as a side effect the `cond_const` macro could be also updated to use the new macro under the hood, providing much nicer experience - it is no longer needed to provide human-readable version of the version string to put in the note about `const`ness requiring a newer version. As such the note is now always there using a single source of truth. It's also a great moment to introduce this change right now since there's currently no conditional compilation used in `bitcoin` crate making the changes minimal.
1 parent 7d5ce89 commit ad34a98

11 files changed

+151
-168
lines changed

Cargo-minimal.lock

+3
Original file line numberDiff line numberDiff line change
@@ -95,6 +95,9 @@ dependencies = [
9595
[[package]]
9696
name = "bitcoin-io"
9797
version = "0.1.2"
98+
dependencies = [
99+
"bitcoin-internals",
100+
]
98101

99102
[[package]]
100103
name = "bitcoin-primitives"

Cargo-recent.lock

+3
Original file line numberDiff line numberDiff line change
@@ -94,6 +94,9 @@ dependencies = [
9494
[[package]]
9595
name = "bitcoin-io"
9696
version = "0.1.2"
97+
dependencies = [
98+
"bitcoin-internals",
99+
]
97100

98101
[[package]]
99102
name = "bitcoin-primitives"

bitcoin/build.rs

-37
This file was deleted.

internals/Cargo.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -34,4 +34,4 @@ all-features = true
3434
rustdoc-args = ["--cfg", "docsrs"]
3535

3636
[lints.rust]
37-
unexpected_cfgs = { level = "deny", check-cfg = ['cfg(rust_v_1_64)'] }
37+
unexpected_cfgs = { level = "deny" }

internals/build.rs

+43-2
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,7 @@
1+
const MAX_USED_VERSION: u64 = 80;
2+
3+
use std::io;
4+
15
fn main() {
26
let rustc = std::env::var_os("RUSTC");
37
let rustc = rustc.as_ref().map(std::path::Path::new).unwrap_or_else(|| "rustc".as_ref());
@@ -30,8 +34,45 @@ fn main() {
3034
assert_eq!(msrv_major, "1", "unexpected Rust major version");
3135
let msrv_minor = msrv.next().unwrap().parse::<u64>().unwrap();
3236

33-
// print cfg for all interesting versions less than or equal to minor
37+
let out_dir = std::env::var_os("OUT_DIR").expect("missing OUT_DIR env var");
38+
let out_dir = std::path::PathBuf::from(out_dir);
39+
let macro_file = std::fs::File::create(out_dir.join("rust_version.rs")).expect("failed to create rust_version.rs");
40+
let macro_file = io::BufWriter::new(macro_file);
41+
write_macro(macro_file, msrv_minor, minor).expect("failed to write to rust_version.rs");
42+
}
43+
44+
fn write_macro(mut macro_file: impl io::Write, msrv_minor: u64, minor: u64) -> io::Result<()> {
45+
writeln!(macro_file, "/// Expands code based on Rust version this is compiled under.")?;
46+
writeln!(macro_file, "///")?;
47+
writeln!(macro_file, "/// Example:")?;
48+
writeln!(macro_file, "/// ```")?;
49+
writeln!(macro_file, "/// bitcoin_internals::rust_version! {{")?;
50+
writeln!(macro_file, "/// if >= 1.70 {{")?;
51+
writeln!(macro_file, "/// println!(\"This is Rust 1.70+\");")?;
52+
writeln!(macro_file, "/// }} else {{")?;
53+
writeln!(macro_file, "/// println!(\"This is Rust < 1.70\");")?;
54+
writeln!(macro_file, "/// }}")?;
55+
writeln!(macro_file, "/// }}")?;
56+
writeln!(macro_file, "/// ```")?;
57+
writeln!(macro_file, "///")?;
58+
writeln!(macro_file, "/// The `else` branch is optional.")?;
59+
writeln!(macro_file, "/// Currently only the `>=` operator is supported.")?;
60+
writeln!(macro_file, "#[macro_export]")?;
61+
writeln!(macro_file, "macro_rules! rust_version {{")?;
3462
for version in msrv_minor..=minor {
35-
println!("cargo:rustc-cfg=rust_v_1_{}", version);
63+
writeln!(macro_file, " (if >= 1.{} {{ $($if_yes:tt)* }} $(else {{ $($if_no:tt)* }})?) => {{", version)?;
64+
writeln!(macro_file, " $($if_yes)*")?;
65+
writeln!(macro_file, " }};")?;
66+
}
67+
for version in (minor + 1)..(MAX_USED_VERSION + 1) {
68+
writeln!(macro_file, " (if >= 1.{} {{ $($if_yes:tt)* }} $(else {{ $($if_no:tt)* }})?) => {{", version)?;
69+
writeln!(macro_file, " $($($if_no)*)?")?;
70+
writeln!(macro_file, " }};")?;
3671
}
72+
writeln!(macro_file, " (if >= $unknown:tt $($rest:tt)*) => {{")?;
73+
writeln!(macro_file, " compile_error!(concat!(\"unknown Rust version \", stringify!($unknown)));")?;
74+
writeln!(macro_file, " }};")?;
75+
writeln!(macro_file, "}}")?;
76+
writeln!(macro_file, "pub use rust_version;")?;
77+
macro_file.flush()
3778
}

internals/src/array_vec.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -46,7 +46,7 @@ mod safety_boundary {
4646
// from_raw_parts is const-unstable until 1.64
4747
cond_const! {
4848
/// Returns a reference to the underlying data.
49-
pub const(in rust_v_1_64 = "1.64") fn as_slice(&self) -> &[T] {
49+
pub const(in 1.64) fn as_slice(&self) -> &[T] {
5050
let ptr = &self.data as *const _ as *const T;
5151
unsafe { core::slice::from_raw_parts(ptr, self.len) }
5252
}

internals/src/const_tools.rs

+24-26
Original file line numberDiff line numberDiff line change
@@ -56,36 +56,34 @@ pub use concat_bytes_to_arr;
5656
#[macro_export]
5757
/// Enables const fn in specified Rust version
5858
macro_rules! cond_const {
59-
($($(#[$attr:meta])* $vis:vis const(in $ver:ident $(= $human_ver:literal)?) fn $name:ident$(<$($gen:tt)*>)?($($args:tt)*) $(-> $ret:ty)? $body:block)+ ) => {
59+
($($(#[$attr:meta])* $vis:vis const(in $version:tt) fn $name:ident$(<$($gen:tt)*>)?($($args:tt)*) $(-> $ret:ty)? $body:block)+ ) => {
6060
$(
61-
#[cfg($ver)]
62-
$(#[$attr])*
63-
$(
64-
#[doc = "\nNote: the function is only `const` in Rust "]
65-
#[doc = $human_ver]
66-
#[doc = "."]
67-
)?
68-
$vis const fn $name$(<$($gen)*>)?($($args)*) $(-> $ret)? $body
69-
70-
#[cfg(not($ver))]
71-
$(#[$attr])*
72-
$vis fn $name$(<$($gen)*>)?($($args)*) $(-> $ret)? $body
61+
$crate::rust_version::rust_version! {
62+
if >= $version {
63+
$(#[$attr])*
64+
#[doc = concat!("\nNote: the function is only `const` in Rust ", stringify!($version), ".")]
65+
$vis const fn $name$(<$($gen)*>)?($($args)*) $(-> $ret)? $body
66+
} else {
67+
$(#[$attr])*
68+
#[doc = concat!("\nNote: the function is `const` in Rust ", stringify!($version), ".")]
69+
$vis fn $name$(<$($gen)*>)?($($args)*) $(-> $ret)? $body
70+
}
71+
}
7372
)+
7473
};
75-
($($(#[$attr:meta])* $vis:vis const(in $ver:ident $(= $human_ver:literal)?) unsafe fn $name:ident$(<$($gen:tt)*>)?($($args:tt)*) $(-> $ret:ty)? $body:block)+ ) => {
74+
($($(#[$attr:meta])* $vis:vis const(in $version:tt) unsafe fn $name:ident$(<$($gen:tt)*>)?($($args:tt)*) $(-> $ret:ty)? $body:block)+ ) => {
7675
$(
77-
#[cfg($ver)]
78-
$(#[$attr])*
79-
$(
80-
#[doc = "\nNote: the function is only `const` in Rust "]
81-
#[doc = $human_ver]
82-
#[doc = " and newer."]
83-
)?
84-
$vis const unsafe fn $name$(<$($gen)*>)?($($args)*) $(-> $ret)? $body
85-
86-
#[cfg(not($ver))]
87-
$(#[$attr])*
88-
$vis unsafe fn $name$(<$($gen)*>)?($($args)*) $(-> $ret)? $body
76+
$crate::rust_version::rust_version! {
77+
if >= $version {
78+
$(#[$attr])*
79+
#[doc = concat!("\nNote: the function is only `const` in Rust ", stringify!($version), ".")]
80+
$vis const unsafe fn $name$(<$($gen)*>)?($($args)*) $(-> $ret)? $body
81+
} else {
82+
$(#[$attr])*
83+
#[doc = concat!("\nNote: the function is `const` in Rust ", stringify!($version), ".")]
84+
$vis unsafe fn $name$(<$($gen)*>)?($($args)*) $(-> $ret)? $body
85+
}
86+
}
8987
)+
9088
};
9189
}

internals/src/lib.rs

+7
Original file line numberDiff line numberDiff line change
@@ -27,6 +27,13 @@ pub extern crate serde_json;
2727
#[cfg(feature = "test-serde")]
2828
pub extern crate bincode;
2929

30+
// The pub module is a workaround for strange error:
31+
// "macro-expanded `macro_export` macros from the current crate cannot be referred to by absolute paths"
32+
#[doc(hidden)]
33+
pub mod rust_version {
34+
include!(concat!(env!("OUT_DIR"), "/rust_version.rs"));
35+
}
36+
3037
pub mod array_vec;
3138
pub mod const_tools;
3239
pub mod error;

io/Cargo.toml

+4-1
Original file line numberDiff line numberDiff line change
@@ -18,9 +18,12 @@ default = ["std"]
1818
std = ["alloc"]
1919
alloc = []
2020

21+
[dependencies]
22+
internals = { package = "bitcoin-internals", version = "0.3.0" }
23+
2124
[package.metadata.docs.rs]
2225
all-features = true
2326
rustdoc-args = ["--cfg", "docsrs"]
2427

2528
[lints.rust]
26-
unexpected_cfgs = { level = "deny", check-cfg = ['cfg(rust_v_1_72)', 'cfg(rust_v_1_73)', 'cfg(rust_v_1_75)', 'cfg(rust_v_1_78)'] }
29+
unexpected_cfgs = { level = "deny" }

io/build.rs

-37
This file was deleted.

0 commit comments

Comments
 (0)