Skip to content

Commit bca47cd

Browse files
hcldanpvdrz
andauthored
Implement cli option for custom derive (#2328)
* custom derives after DeriveInfo * Introduce `TypeKind` instead of `CompKind` * Add tests * Emit CLI flags for callbacks * update changelog * run rustfmt * fix tests * fix features Co-authored-by: Christian Poveda <[email protected]>
1 parent 190a017 commit bca47cd

File tree

11 files changed

+271
-9
lines changed

11 files changed

+271
-9
lines changed

CHANGELOG.md

+6-1
Original file line numberDiff line numberDiff line change
@@ -156,13 +156,18 @@
156156
## Changed
157157
* Fixed name collisions when having a C `enum` and a `typedef` with the same
158158
name.
159-
* The `ParseCallbacks::generated_name_override` now receives `ItemInfo<'_>` as
159+
* The `ParseCallbacks::generated_name_override` method now receives `ItemInfo<'_>` as
160160
argument instead of a `&str`.
161161
* Updated the `clang-sys` crate version to 1.4.0 to support clang 15.
162162
* The return type is now ommited in signatures of functions returning `void`.
163163
* Updated the `clap` dependency for `bindgen-cli` to 4.
164164
* Rewrote the `bindgen-cli` argument parser which could introduce unexpected
165165
behavior changes.
166+
* The `ParseCallbacks::add_derives` method now receives `DeriveInfo<'_>` as
167+
argument instead of a `&str`. This type also includes the kind of target type.
168+
* Added a new set of flags `--with-derive-custom`,
169+
`--with-derive-custom-struct`, `--with-derive-custom-enum` and
170+
`--with-derive-custom-enum` to add custom derives from the CLI.
166171

167172
## Removed
168173

bindgen-cli/Cargo.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,7 @@ path = "main.rs"
2121
name = "bindgen"
2222

2323
[dependencies]
24-
bindgen = { path = "../bindgen", version = "=0.63.0" }
24+
bindgen = { path = "../bindgen", version = "=0.63.0", features = ["cli"] }
2525
shlex = "1"
2626
clap = { version = "4", features = ["derive"] }
2727
env_logger = { version = "0.9.0", optional = true }

bindgen-cli/options.rs

+85-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
1+
use bindgen::callbacks::TypeKind;
12
use bindgen::{
23
builder, AliasVariation, Builder, CodegenConfig, EnumVariation,
3-
MacroTypeVariation, NonCopyUnionStyle, RustTarget,
4+
MacroTypeVariation, NonCopyUnionStyle, RegexSet, RustTarget,
45
DEFAULT_ANON_FIELDS_PREFIX, RUST_TARGET_STRINGS,
56
};
67
use clap::Parser;
@@ -340,6 +341,18 @@ struct BindgenCommand {
340341
/// Wrap unsafe operations in unsafe blocks.
341342
#[arg(long)]
342343
wrap_unsafe_ops: bool,
344+
/// Derive custom traits on any kind of type. The <CUSTOM> value must be of the shape <REGEX>=<DERIVE> where <DERIVE> is a coma-separated list of derive macros.
345+
#[arg(long, value_name = "CUSTOM")]
346+
with_derive_custom: Vec<String>,
347+
/// Derive custom traits on a `struct`. The <CUSTOM> value must be of the shape <REGEX>=<DERIVE> where <DERIVE> is a coma-separated list of derive macros.
348+
#[arg(long, value_name = "CUSTOM")]
349+
with_derive_custom_struct: Vec<String>,
350+
/// Derive custom traits on an `enum. The <CUSTOM> value must be of the shape <REGEX>=<DERIVE> where <DERIVE> is a coma-separated list of derive macros.
351+
#[arg(long, value_name = "CUSTOM")]
352+
with_derive_custom_enum: Vec<String>,
353+
/// Derive custom traits on a `union`. The <CUSTOM> value must be of the shape <REGEX>=<DERIVE> where <DERIVE> is a coma-separated list of derive macros.
354+
#[arg(long, value_name = "CUSTOM")]
355+
with_derive_custom_union: Vec<String>,
343356
/// Prints the version, and exits
344357
#[arg(short = 'V', long)]
345358
version: bool,
@@ -456,6 +469,10 @@ where
456469
merge_extern_blocks,
457470
override_abi,
458471
wrap_unsafe_ops,
472+
with_derive_custom,
473+
with_derive_custom_struct,
474+
with_derive_custom_enum,
475+
with_derive_custom_union,
459476
version,
460477
clang_args,
461478
} = command;
@@ -894,5 +911,72 @@ where
894911
builder = builder.wrap_unsafe_ops(true);
895912
}
896913

914+
#[derive(Debug)]
915+
struct CustomDeriveCallback {
916+
derives: Vec<String>,
917+
kind: Option<TypeKind>,
918+
regex_set: bindgen::RegexSet,
919+
}
920+
921+
impl bindgen::callbacks::ParseCallbacks for CustomDeriveCallback {
922+
fn cli_args(&self) -> Vec<String> {
923+
let mut args = vec![];
924+
925+
let flag = match &self.kind {
926+
None => "--with-derive-custom",
927+
Some(TypeKind::Struct) => "--with-derive-custom-struct",
928+
Some(TypeKind::Enum) => "--with-derive-custom-enum",
929+
Some(TypeKind::Union) => "--with-derive-custom-union",
930+
};
931+
932+
let derives = self.derives.join(",");
933+
934+
for item in self.regex_set.get_items() {
935+
args.extend_from_slice(&[
936+
flag.to_owned(),
937+
format!("{}={}", item, derives),
938+
]);
939+
}
940+
941+
args
942+
}
943+
944+
fn add_derives(
945+
&self,
946+
info: &bindgen::callbacks::DeriveInfo<'_>,
947+
) -> Vec<String> {
948+
if self.kind.map(|kind| kind == info.kind).unwrap_or(true) &&
949+
self.regex_set.matches(info.name)
950+
{
951+
return self.derives.clone();
952+
}
953+
vec![]
954+
}
955+
}
956+
957+
for (custom_derives, kind) in [
958+
(with_derive_custom, None),
959+
(with_derive_custom_struct, Some(TypeKind::Struct)),
960+
(with_derive_custom_enum, Some(TypeKind::Enum)),
961+
(with_derive_custom_union, Some(TypeKind::Union)),
962+
] {
963+
for custom_derive in custom_derives {
964+
let (regex, derives) = custom_derive
965+
.rsplit_once('=')
966+
.expect("Invalid custom derive argument: Missing `=`");
967+
let derives = derives.split(',').map(|s| s.to_owned()).collect();
968+
969+
let mut regex_set = RegexSet::new();
970+
regex_set.insert(regex);
971+
regex_set.build(false);
972+
973+
builder = builder.parse_callbacks(Box::new(CustomDeriveCallback {
974+
derives,
975+
kind,
976+
regex_set,
977+
}));
978+
}
979+
}
980+
897981
Ok((builder, output, verbose))
898982
}

bindgen-tests/Cargo.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@ version = "0.1.0"
55
publish = false
66

77
[dev-dependencies]
8-
bindgen = { path = "../bindgen" }
8+
bindgen = { path = "../bindgen", features = ["cli"] }
99
diff = "0.1"
1010
shlex = "1"
1111
clap = { version = "4", features = ["derive"] }

bindgen-tests/tests/expectations/tests/derive-custom-cli.rs

+115
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,14 @@
1+
// bindgen-flags: --default-enum-style rust --default-non-copy-union-style manually_drop --no-default=".*" --no-hash=".*" --no-partialeq=".*" --no-debug=".*" --no-copy=".*" --with-derive-custom="foo_[^e].*=Clone" --with-derive-custom-struct="foo.*=Default" --with-derive-custom-enum="foo.*=Copy" --with-derive-custom-union="foo.*=Copy"
2+
struct foo_struct {
3+
int inner;
4+
};
5+
enum foo_enum {
6+
inner = 0
7+
};
8+
union foo_union {
9+
int fst;
10+
float snd;
11+
};
12+
struct non_matching {
13+
int inner;
14+
};

bindgen/Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -47,6 +47,7 @@ static = ["clang-sys/static"]
4747
runtime = ["clang-sys/runtime"]
4848
# Dynamically discover a `rustfmt` binary using the `which` crate
4949
which-rustfmt = ["which"]
50+
cli = []
5051

5152
# These features only exist for CI testing -- don't use them if you're not hacking
5253
# on bindgen!

bindgen/callbacks.rs

+20
Original file line numberDiff line numberDiff line change
@@ -25,6 +25,12 @@ impl Default for MacroParsingBehavior {
2525
/// A trait to allow configuring different kinds of types in different
2626
/// situations.
2727
pub trait ParseCallbacks: fmt::Debug {
28+
#[cfg(feature = "cli")]
29+
#[doc(hidden)]
30+
fn cli_args(&self) -> Vec<String> {
31+
vec![]
32+
}
33+
2834
/// This function will be run on every macro that is identified.
2935
fn will_parse_macro(&self, _name: &str) -> MacroParsingBehavior {
3036
MacroParsingBehavior::Default
@@ -120,10 +126,24 @@ pub trait ParseCallbacks: fmt::Debug {
120126

121127
/// Relevant information about a type to which new derive attributes will be added using
122128
/// [`ParseCallbacks::add_derives`].
129+
#[derive(Debug)]
123130
#[non_exhaustive]
124131
pub struct DeriveInfo<'a> {
125132
/// The name of the type.
126133
pub name: &'a str,
134+
/// The kind of the type.
135+
pub kind: TypeKind,
136+
}
137+
138+
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
139+
/// The kind of the current type.
140+
pub enum TypeKind {
141+
/// The type is a Rust `struct`.
142+
Struct,
143+
/// The type is a Rust `enum`.
144+
Enum,
145+
/// The type is a Rust `union`.
146+
Union,
127147
}
128148

129149
/// An struct providing information about the item being passed to `ParseCallbacks::generated_name_override`.

bindgen/codegen/mod.rs

+14-3
Original file line numberDiff line numberDiff line change
@@ -18,6 +18,7 @@ use self::struct_layout::StructLayoutTracker;
1818

1919
use super::BindgenOptions;
2020

21+
use crate::callbacks::{DeriveInfo, TypeKind as DeriveTypeKind};
2122
use crate::ir::analysis::{HasVtable, Sizedness};
2223
use crate::ir::annotations::FieldAccessorKind;
2324
use crate::ir::comp::{
@@ -2100,11 +2101,18 @@ impl CodeGenerator for CompInfo {
21002101
let mut derives: Vec<_> = derivable_traits.into();
21012102
derives.extend(item.annotations().derives().iter().map(String::as_str));
21022103

2104+
let is_rust_union = is_union && struct_layout.is_rust_union();
2105+
21032106
// The custom derives callback may return a list of derive attributes;
21042107
// add them to the end of the list.
21052108
let custom_derives = ctx.options().all_callbacks(|cb| {
2106-
cb.add_derives(&crate::callbacks::DeriveInfo {
2109+
cb.add_derives(&DeriveInfo {
21072110
name: &canonical_name,
2111+
kind: if is_rust_union {
2112+
DeriveTypeKind::Union
2113+
} else {
2114+
DeriveTypeKind::Struct
2115+
},
21082116
})
21092117
});
21102118
// In most cases this will be a no-op, since custom_derives will be empty.
@@ -2118,7 +2126,7 @@ impl CodeGenerator for CompInfo {
21182126
attributes.push(attributes::must_use());
21192127
}
21202128

2121-
let mut tokens = if is_union && struct_layout.is_rust_union() {
2129+
let mut tokens = if is_rust_union {
21222130
quote! {
21232131
#( #attributes )*
21242132
pub union #canonical_ident
@@ -3112,7 +3120,10 @@ impl CodeGenerator for Enum {
31123120
// The custom derives callback may return a list of derive attributes;
31133121
// add them to the end of the list.
31143122
let custom_derives = ctx.options().all_callbacks(|cb| {
3115-
cb.add_derives(&crate::callbacks::DeriveInfo { name: &name })
3123+
cb.add_derives(&DeriveInfo {
3124+
name: &name,
3125+
kind: DeriveTypeKind::Enum,
3126+
})
31163127
});
31173128
// In most cases this will be a no-op, since custom_derives will be empty.
31183129
derives.extend(custom_derives.iter().map(|s| s.as_str()));

0 commit comments

Comments
 (0)