blob: 851a6aaf8a1c6092a41faf2624ba6a6a8fbfb197 [file] [log] [blame]
Marcel Hlopko42abfc82021-08-09 07:03:17 +00001// Part of the Crubit project, under the Apache License v2.0 with LLVM
2// Exceptions. See /LICENSE for license information.
3// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
4
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00005use anyhow::{anyhow, bail, ensure, Context, Result};
Marcel Hlopko884ae7f2021-08-18 13:58:22 +00006use ffi_types::*;
Marcel Hlopko42abfc82021-08-09 07:03:17 +00007use ir::*;
8use itertools::Itertools;
Googler5ea88642021-09-29 08:05:59 +00009use proc_macro2::{Ident, Literal, TokenStream};
Devin Jeanpierre92ca2612022-04-06 11:35:13 -070010use quote::{format_ident, quote, ToTokens};
Devin Jeanpierre9886fb42022-04-01 04:31:20 -070011use std::collections::{BTreeSet, HashSet};
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -070012use std::ffi::{OsStr, OsString};
Michael Forster82c02d32022-05-20 21:47:33 -070013use std::iter::{self, Iterator};
Marcel Hlopko42abfc82021-08-09 07:03:17 +000014use std::panic::catch_unwind;
15use std::process;
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -070016use token_stream_printer::{rs_tokens_to_formatted_string, tokens_to_string, RustfmtConfig};
Marcel Hlopko42abfc82021-08-09 07:03:17 +000017
Marcel Hlopko45fba972021-08-23 19:52:20 +000018/// FFI equivalent of `Bindings`.
19#[repr(C)]
20pub struct FfiBindings {
21 rs_api: FfiU8SliceBox,
22 rs_api_impl: FfiU8SliceBox,
23}
24
25/// Deserializes IR from `json` and generates bindings source code.
Marcel Hlopko42abfc82021-08-09 07:03:17 +000026///
27/// This function panics on error.
28///
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +000029/// # Safety
30///
31/// Expectations:
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -070032/// * `json` should be a FfiU8Slice for a valid array of bytes with the given
33/// size.
Lukasz Anforowiczdd907702022-05-06 09:24:07 -070034/// * `crubit_support_path` should be a FfiU8Slice for a valid array of bytes
35/// representing an UTF8-encoded string
Lukasz Anforowiczd7d68f02022-05-26 07:41:02 -070036/// * `rustfmt_exe_path` and `rustfmt_config_path` should both be a
37/// FfiU8Slice for a valid array of bytes representing an UTF8-encoded
38/// string (without the UTF-8 requirement, it seems that Rust doesn't offer
39/// a way to convert to OsString on Windows)
40/// * `json`, `crubit_support_path`, `rustfmt_exe_path`, and
41/// `rustfmt_config_path` shouldn't change during the call.
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +000042///
Marcel Hlopko42abfc82021-08-09 07:03:17 +000043/// Ownership:
Michael Forsterbee84482021-10-13 08:35:38 +000044/// * function doesn't take ownership of (in other words it borrows) the
Lukasz Anforowiczd7d68f02022-05-26 07:41:02 -070045/// input params: `json`, `crubit_support_path`, `rustfmt_exe_path`, and
46/// `rustfmt_config_path`
Marcel Hlopko42abfc82021-08-09 07:03:17 +000047/// * function passes ownership of the returned value to the caller
Marcel Hlopko42abfc82021-08-09 07:03:17 +000048#[no_mangle]
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -070049pub unsafe extern "C" fn GenerateBindingsImpl(
50 json: FfiU8Slice,
Lukasz Anforowiczdd907702022-05-06 09:24:07 -070051 crubit_support_path: FfiU8Slice,
Lukasz Anforowiczd7d68f02022-05-26 07:41:02 -070052 rustfmt_exe_path: FfiU8Slice,
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -070053 rustfmt_config_path: FfiU8Slice,
54) -> FfiBindings {
55 let json: &[u8] = json.as_slice();
Lukasz Anforowiczdd907702022-05-06 09:24:07 -070056 let crubit_support_path: &str = std::str::from_utf8(crubit_support_path.as_slice()).unwrap();
Lukasz Anforowiczd7d68f02022-05-26 07:41:02 -070057 let rustfmt_exe_path: OsString =
58 std::str::from_utf8(rustfmt_exe_path.as_slice()).unwrap().into();
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -070059 let rustfmt_config_path: OsString =
60 std::str::from_utf8(rustfmt_config_path.as_slice()).unwrap().into();
Marcel Hlopko42abfc82021-08-09 07:03:17 +000061 catch_unwind(|| {
Marcel Hlopko45fba972021-08-23 19:52:20 +000062 // It is ok to abort here.
Marcel Hlopko36234892022-05-10 00:39:54 -070063 let Bindings { rs_api, rs_api_impl } =
Devin Jeanpierre108e9c02022-06-02 07:10:09 -070064 generate_bindings(json, crubit_support_path, &rustfmt_exe_path, &rustfmt_config_path)
65 .unwrap();
Marcel Hlopko45fba972021-08-23 19:52:20 +000066 FfiBindings {
67 rs_api: FfiU8SliceBox::from_boxed_slice(rs_api.into_bytes().into_boxed_slice()),
68 rs_api_impl: FfiU8SliceBox::from_boxed_slice(
69 rs_api_impl.into_bytes().into_boxed_slice(),
70 ),
71 }
Marcel Hlopko42abfc82021-08-09 07:03:17 +000072 })
73 .unwrap_or_else(|_| process::abort())
74}
75
Marcel Hlopko45fba972021-08-23 19:52:20 +000076/// Source code for generated bindings.
77struct Bindings {
78 // Rust source code.
79 rs_api: String,
80 // C++ source code.
81 rs_api_impl: String,
Marcel Hlopko42abfc82021-08-09 07:03:17 +000082}
83
Devin Jeanpierre4f06f832022-04-26 15:51:30 -070084/// Source code for generated bindings, as tokens.
85struct BindingsTokens {
86 // Rust source code.
87 rs_api: TokenStream,
88 // C++ source code.
89 rs_api_impl: TokenStream,
90}
91
Lukasz Anforowiczdd907702022-05-06 09:24:07 -070092fn generate_bindings(
93 json: &[u8],
94 crubit_support_path: &str,
Lukasz Anforowiczd7d68f02022-05-26 07:41:02 -070095 rustfmt_exe_path: &OsStr,
Lukasz Anforowiczdd907702022-05-06 09:24:07 -070096 rustfmt_config_path: &OsStr,
97) -> Result<Bindings> {
Marcel Hlopko45fba972021-08-23 19:52:20 +000098 let ir = deserialize_ir(json)?;
Marcel Hlopkoca84ff42021-12-09 14:15:14 +000099
Lukasz Anforowiczdd907702022-05-06 09:24:07 -0700100 let BindingsTokens { rs_api, rs_api_impl } =
101 generate_bindings_tokens(&ir, crubit_support_path)?;
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -0700102 let rs_api = {
Lukasz Anforowiczd7d68f02022-05-26 07:41:02 -0700103 let rustfmt_config = RustfmtConfig::new(rustfmt_exe_path, rustfmt_config_path);
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -0700104 rs_tokens_to_formatted_string(rs_api, &rustfmt_config)?
105 };
106
Marcel Hlopkoca84ff42021-12-09 14:15:14 +0000107 // The code is formatted with a non-default rustfmt configuration. Prevent
Lukasz Anforowicz5b3f5302022-02-07 01:04:47 +0000108 // downstream workflows from reformatting with a different configuration by
109 // marking the output with `@generated`. See also
110 // https://rust-lang.github.io/rustfmt/?version=v1.4.38&search=#format_generated_files
111 //
112 // TODO(lukasza): It would be nice to include "by $argv[0]"" in the
113 // @generated comment below. OTOH, `std::env::current_exe()` in our
114 // current build environment returns a guid-like path... :-/
Lukasz Anforowicz72c4d222022-02-18 19:07:28 +0000115 //
116 // TODO(lukasza): Try to remove `#![rustfmt:skip]` - in theory it shouldn't
117 // be needed when `@generated` comment/keyword is present...
Lukasz Anforowicz5b3f5302022-02-07 01:04:47 +0000118 let rs_api = format!(
Lukasz Anforowicz72c4d222022-02-18 19:07:28 +0000119 "// Automatically @generated Rust bindings for C++ target\n\
120 // {target}\n\
121 #![rustfmt::skip]\n\
122 {code}",
Lukasz Anforowicz5b3f5302022-02-07 01:04:47 +0000123 target = ir.current_target().0,
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -0700124 code = rs_api,
Lukasz Anforowicz5b3f5302022-02-07 01:04:47 +0000125 );
Devin Jeanpierre4f06f832022-04-26 15:51:30 -0700126 let rs_api_impl = tokens_to_string(rs_api_impl)?;
Marcel Hlopkoca84ff42021-12-09 14:15:14 +0000127
Marcel Hlopko45fba972021-08-23 19:52:20 +0000128 Ok(Bindings { rs_api, rs_api_impl })
129}
130
Devin Jeanpierre6d5e7cc2021-10-21 12:56:07 +0000131/// Rust source code with attached information about how to modify the parent
132/// crate.
Devin Jeanpierre273eeae2021-10-06 13:29:35 +0000133///
Michael Forsterbee84482021-10-13 08:35:38 +0000134/// For example, the snippet `vec![].into_raw_parts()` is not valid unless the
135/// `vec_into_raw_parts` feature is enabled. So such a snippet should be
136/// represented as:
Devin Jeanpierre273eeae2021-10-06 13:29:35 +0000137///
138/// ```
139/// RsSnippet {
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +0000140/// features: btree_set![make_rs_ident("vec_into_raw_parts")],
Devin Jeanpierre273eeae2021-10-06 13:29:35 +0000141/// tokens: quote!{vec![].into_raw_parts()},
142/// }
143/// ```
Lukasz Anforowiczeb19ac62022-02-05 00:10:16 +0000144#[derive(Clone, Debug)]
Devin Jeanpierre273eeae2021-10-06 13:29:35 +0000145struct RsSnippet {
146 /// Rust feature flags used by this snippet.
147 features: BTreeSet<Ident>,
148 /// The snippet itself, as a token stream.
149 tokens: TokenStream,
150}
151
152impl From<TokenStream> for RsSnippet {
153 fn from(tokens: TokenStream) -> Self {
154 RsSnippet { features: BTreeSet::new(), tokens }
155 }
156}
157
Michael Forsterbee84482021-10-13 08:35:38 +0000158/// If we know the original C++ function is codegenned and already compatible
159/// with `extern "C"` calling convention we skip creating/calling the C++ thunk
160/// since we can call the original C++ directly.
Marcel Hlopko3164eee2021-08-24 20:09:22 +0000161fn can_skip_cc_thunk(func: &Func) -> bool {
Devin Jeanpierre96839c12021-12-14 00:27:38 +0000162 // ## Inline functions
163 //
Michael Forsterbee84482021-10-13 08:35:38 +0000164 // Inline functions may not be codegenned in the C++ library since Clang doesn't
165 // know if Rust calls the function or not. Therefore in order to make inline
166 // functions callable from Rust we need to generate a C++ file that defines
167 // a thunk that delegates to the original inline function. When compiled,
168 // Clang will emit code for this thunk and Rust code will call the
Marcel Hlopko3164eee2021-08-24 20:09:22 +0000169 // thunk when the user wants to call the original inline function.
170 //
Michael Forsterbee84482021-10-13 08:35:38 +0000171 // This is not great runtime-performance-wise in regular builds (inline function
172 // will not be inlined, there will always be a function call), but it is
173 // correct. ThinLTO builds will be able to see through the thunk and inline
174 // code across the language boundary. For non-ThinLTO builds we plan to
175 // implement <internal link> which removes the runtime performance overhead.
Devin Jeanpierre96839c12021-12-14 00:27:38 +0000176 if func.is_inline {
177 return false;
178 }
Lukasz Anforowiczb1ff2e52022-05-16 10:54:23 -0700179 // ## Member functions (or descendants) of class templates
180 //
181 // A thunk is required to force/guarantee template instantiation.
182 if func.is_member_or_descendant_of_class_template {
183 return false;
184 }
Devin Jeanpierre96839c12021-12-14 00:27:38 +0000185 // ## Virtual functions
186 //
187 // When calling virtual `A::Method()`, it's not necessarily the case that we'll
188 // specifically call the concrete `A::Method` impl. For example, if this is
189 // called on something whose dynamic type is some subclass `B` with an
190 // overridden `B::Method`, then we'll call that.
191 //
192 // We must reuse the C++ dynamic dispatching system. In this case, the easiest
193 // way to do it is by resorting to a C++ thunk, whose implementation will do
194 // the lookup.
195 //
196 // In terms of runtime performance, since this only occurs for virtual function
197 // calls, which are already slow, it may not be such a big deal. We can
198 // benchmark it later. :)
199 if let Some(meta) = &func.member_func_metadata {
200 if let Some(inst_meta) = &meta.instance_method_metadata {
201 if inst_meta.is_virtual {
202 return false;
203 }
204 }
205 }
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +0000206 // ## Custom calling convention requires a thunk.
207 //
208 // The thunk has the "C" calling convention, and internally can call the
209 // C++ function using any of the calling conventions supported by the C++
210 // compiler (which might not always match the set supported by Rust - e.g.,
211 // abi.rs doesn't contain "swiftcall" from
212 // clang::FunctionType::getNameForCallConv)
213 if !func.has_c_calling_convention {
214 return false;
215 }
Devin Jeanpierre96839c12021-12-14 00:27:38 +0000216
217 true
Marcel Hlopko3164eee2021-08-24 20:09:22 +0000218}
219
Googlerd03d05b2022-01-07 10:10:57 +0000220/// Uniquely identifies a generated Rust function.
Lukasz Anforowiczeb19ac62022-02-05 00:10:16 +0000221#[derive(Clone, Debug, PartialEq, Eq, Hash)]
Googlerd03d05b2022-01-07 10:10:57 +0000222struct FunctionId {
223 // If the function is on a trait impl, contains the name of the Self type for
224 // which the trait is being implemented.
225 self_type: Option<syn::Path>,
226 // Fully qualified path of the function. For functions in impl blocks, this
227 // includes the name of the type or trait on which the function is being
228 // implemented, e.g. `Default::default`.
229 function_path: syn::Path,
230}
231
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +0000232/// Returns the name of `func` in C++ syntax.
Googlerd03d05b2022-01-07 10:10:57 +0000233fn cxx_function_name(func: &Func, ir: &IR) -> Result<String> {
234 let record: Option<&str> = func
235 .member_func_metadata
236 .as_ref()
237 .map(|meta| meta.find_record(ir))
238 .transpose()?
Lukasz Anforowicz4c3a2cc2022-03-11 00:24:49 +0000239 .map(|r| &*r.cc_name);
Googlerd03d05b2022-01-07 10:10:57 +0000240
241 let func_name = match &func.name {
242 UnqualifiedIdentifier::Identifier(id) => id.identifier.clone(),
Lukasz Anforowicz9c663ca2022-02-09 01:33:31 +0000243 UnqualifiedIdentifier::Operator(op) => op.cc_name(),
Googlerd03d05b2022-01-07 10:10:57 +0000244 UnqualifiedIdentifier::Destructor => {
245 format!("~{}", record.expect("destructor must be associated with a record"))
246 }
247 UnqualifiedIdentifier::Constructor => {
Lukasz Anforowiczeb19ac62022-02-05 00:10:16 +0000248 record.expect("constructor must be associated with a record").to_string()
Googlerd03d05b2022-01-07 10:10:57 +0000249 }
250 };
251
252 if let Some(record_name) = record {
253 Ok(format!("{}::{}", record_name, func_name))
254 } else {
255 Ok(func_name)
256 }
257}
258
Lukasz Anforowiczeb19ac62022-02-05 00:10:16 +0000259fn make_unsupported_fn(func: &Func, ir: &IR, message: impl ToString) -> Result<UnsupportedItem> {
260 Ok(UnsupportedItem {
261 name: cxx_function_name(func, ir)?,
262 message: message.to_string(),
263 source_loc: func.source_loc.clone(),
Rosica Dejanovskad638cf52022-03-23 15:45:01 +0000264 id: func.id,
Lukasz Anforowiczeb19ac62022-02-05 00:10:16 +0000265 })
266}
267
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -0700268/// The name of a one-function trait, with extra entries for
269/// specially-understood traits and families of traits.
Devin Jeanpierre103cbb52022-04-06 12:55:16 -0700270enum TraitName<'ir> {
Devin Jeanpierread125742022-04-11 13:50:28 -0700271 /// The constructor trait for !Unpin types, with a list of parameter types.
272 /// For example, `CtorNew(vec![])` is the default constructor.
273 CtorNew(Vec<RsTypeKind<'ir>>),
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700274 /// An Unpin constructor trait, e.g. From or Clone, with a list of parameter
275 /// types.
276 UnpinConstructor { name: TokenStream, params: Vec<RsTypeKind<'ir>> },
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700277 /// Any other trait, e.g. Eq.
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700278 Other { name: TokenStream, params: Vec<RsTypeKind<'ir>>, is_unsafe_fn: bool },
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700279}
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700280
281impl<'ir> TraitName<'ir> {
282 /// Returns the generic parameters in this trait name.
283 fn params(&self) -> impl Iterator<Item = &RsTypeKind<'ir>> {
284 match self {
285 Self::CtorNew(params)
286 | Self::UnpinConstructor { params, .. }
287 | Self::Other { params, .. } => params.iter(),
288 }
289 }
290
291 /// Returns the lifetimes used in this trait name.
292 pub fn lifetimes(&self) -> impl Iterator<Item = LifetimeId> + '_ {
293 self.params().flat_map(|p| p.lifetimes())
294 }
295}
296
Devin Jeanpierre103cbb52022-04-06 12:55:16 -0700297impl<'ir> ToTokens for TraitName<'ir> {
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700298 fn to_tokens(&self, tokens: &mut TokenStream) {
299 match self {
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700300 Self::UnpinConstructor { name, params } | Self::Other { name, params, .. } => {
301 let params = format_generic_params(params);
302 quote! {#name #params}.to_tokens(tokens)
303 }
Devin Jeanpierread125742022-04-11 13:50:28 -0700304 Self::CtorNew(arg_types) => {
305 let arg_types = format_tuple_except_singleton(arg_types);
306 quote! { ctor::CtorNew < #arg_types > }.to_tokens(tokens)
307 }
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700308 }
309 }
310}
311
312/// The kind of the `impl` block the function needs to be generated in.
Devin Jeanpierre103cbb52022-04-06 12:55:16 -0700313enum ImplKind<'ir> {
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700314 /// Used for free functions for which we don't want the `impl` block.
315 None { is_unsafe: bool },
316 /// Used for inherent methods for which we need an `impl SomeStruct { ... }`
317 /// block.
318 Struct {
319 /// For example, `SomeStruct`. Retrieved from
320 /// `func.member_func_metadata`.
321 record_name: Ident,
322 is_unsafe: bool,
323 /// Whether to format the first parameter as "self" (e.g. `__this:
324 /// &mut T` -> `&mut self`)
325 format_first_param_as_self: bool,
326 },
327 /// Used for trait methods for which we need an `impl TraitName for
328 /// SomeStruct { ... }` block.
329 Trait {
330 /// For example, `SomeStruct`.
331 /// Note that `record_name` might *not* be from
332 /// `func.member_func_metadata`.
333 record_name: Ident,
334 /// For example, `quote!{ From<i32> }`.
Devin Jeanpierre103cbb52022-04-06 12:55:16 -0700335 trait_name: TraitName<'ir>,
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700336
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700337 /// The generic params of trait `impl` (e.g. `<'b>`). These start
338 /// empty and only later are mutated into the correct value.
339 trait_generic_params: TokenStream,
340 /// Whether to format the first parameter as "self" (e.g. `__this:
341 /// &mut T` -> `&mut self`)
342 format_first_param_as_self: bool,
343 },
344}
Devin Jeanpierre103cbb52022-04-06 12:55:16 -0700345impl<'ir> ImplKind<'ir> {
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700346 fn new_trait(
Devin Jeanpierre103cbb52022-04-06 12:55:16 -0700347 trait_name: TraitName<'ir>,
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700348 record_name: Ident,
349 format_first_param_as_self: bool,
350 ) -> Self {
351 ImplKind::Trait {
352 trait_name,
353 record_name,
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700354 trait_generic_params: quote! {},
355 format_first_param_as_self,
356 }
357 }
358 fn format_first_param_as_self(&self) -> bool {
359 matches!(
360 self,
361 Self::Trait { format_first_param_as_self: true, .. }
362 | Self::Struct { format_first_param_as_self: true, .. }
363 )
364 }
365 /// Returns whether the function is defined as `unsafe fn ...`.
366 fn is_unsafe(&self) -> bool {
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -0700367 matches!(
368 self,
369 Self::None { is_unsafe: true, .. }
370 | Self::Struct { is_unsafe: true, .. }
371 | Self::Trait { trait_name: TraitName::Other { is_unsafe_fn: true, .. }, .. }
372 )
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700373 }
374}
375
376/// Returns the shape of the generated Rust API for a given function definition.
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700377///
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700378/// Returns:
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700379///
380/// * `Err(_)`: something went wrong importing this function.
381/// * `Ok(None)`: the function imported as "nothing". (For example, a defaulted
382/// destructor might be mapped to no `Drop` impl at all.)
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700383/// * `Ok((func_name, impl_kind))`: The function name and ImplKind.
Devin Jeanpierre103cbb52022-04-06 12:55:16 -0700384fn api_func_shape<'ir>(
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700385 func: &Func,
386 ir: &IR,
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700387 param_types: &[RsTypeKind<'ir>],
Devin Jeanpierre103cbb52022-04-06 12:55:16 -0700388) -> Result<Option<(Ident, ImplKind<'ir>)>> {
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000389 let maybe_record: Option<&Record> =
Lukasz Anforowicz13cf7492021-12-22 15:29:52 +0000390 func.member_func_metadata.as_ref().map(|meta| meta.find_record(ir)).transpose()?;
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700391 let has_pointer_params = param_types.iter().any(|p| matches!(p, RsTypeKind::Pointer { .. }));
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700392 let impl_kind: ImplKind;
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000393 let func_name: syn::Ident;
Googlerd03d05b2022-01-07 10:10:57 +0000394 match &func.name {
Lukasz Anforowicz9c663ca2022-02-09 01:33:31 +0000395 UnqualifiedIdentifier::Operator(op) if op.name == "==" => {
Devin Jeanpierre8dd193a2022-06-03 10:57:21 -0700396 assert_eq!(
397 param_types.len(),
398 2,
399 "Unexpected number of parameters in operator==: {func:?}"
400 );
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700401 match (&param_types[0], &param_types[1]) {
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +0000402 (
Lukasz Anforowiczeb19ac62022-02-05 00:10:16 +0000403 RsTypeKind::Reference { referent: lhs, mutability: Mutability::Const, .. },
404 RsTypeKind::Reference { referent: rhs, mutability: Mutability::Const, .. },
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +0000405 ) => match **lhs {
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -0700406 RsTypeKind::Record { record: lhs_record, .. } => {
Lukasz Anforowicz4c3a2cc2022-03-11 00:24:49 +0000407 let lhs: Ident = make_rs_ident(&lhs_record.rs_name);
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +0000408 func_name = make_rs_ident("eq");
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700409 impl_kind = ImplKind::new_trait(
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -0700410 TraitName::Other {
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700411 name: quote! {PartialEq},
412 params: vec![(**rhs).clone()],
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -0700413 is_unsafe_fn: false,
414 },
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700415 lhs,
416 /* format_first_param_as_self= */ true,
417 );
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +0000418 }
Marcel Hlopko14ee3c82022-02-09 09:46:23 +0000419 _ => {
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700420 bail!("operator== where lhs doesn't refer to a record",);
Marcel Hlopko14ee3c82022-02-09 09:46:23 +0000421 }
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +0000422 },
Marcel Hlopko14ee3c82022-02-09 09:46:23 +0000423 _ => {
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700424 bail!("operator== where operands are not const references",);
Marcel Hlopko14ee3c82022-02-09 09:46:23 +0000425 }
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +0000426 };
427 }
Devin Jeanpierre9ced4ef2022-06-08 12:39:10 -0700428 UnqualifiedIdentifier::Operator(op) if op.name == "=" => {
429 assert_eq!(
430 param_types.len(),
431 2,
432 "Unexpected number of parameters in operator=: {func:?}"
433 );
434 let record =
435 maybe_record.ok_or_else(|| anyhow!("operator= must be a member function."))?;
436 if record.is_unpin() {
437 bail!("operator= for Unpin types is not yet supported.");
438 }
439 let rhs = &param_types[1];
440 impl_kind = ImplKind::new_trait(
441 TraitName::Other {
442 name: quote! {::ctor::Assign},
443 params: vec![rhs.clone()],
444 is_unsafe_fn: false,
445 },
446 make_rs_ident(&record.rs_name),
447 /* format_first_param_as_self= */ true,
448 );
449 func_name = make_rs_ident("assign");
450 }
Lukasz Anforowicz9c663ca2022-02-09 01:33:31 +0000451 UnqualifiedIdentifier::Operator(_) => {
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700452 bail!("Bindings for this kind of operator are not supported");
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +0000453 }
Devin Jeanpierref2ec8712021-10-13 20:47:16 +0000454 UnqualifiedIdentifier::Identifier(id) => {
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +0000455 func_name = make_rs_ident(&id.identifier);
Lukasz Anforowiczf9564622022-01-28 14:31:04 +0000456 match maybe_record {
457 None => {
Devin Jeanpierre7c3d8ed2022-03-29 03:02:04 -0700458 impl_kind = ImplKind::None { is_unsafe: has_pointer_params };
Lukasz Anforowiczf9564622022-01-28 14:31:04 +0000459 }
460 Some(record) => {
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700461 let format_first_param_as_self = if func.is_instance_method() {
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700462 let first_param = param_types.first().ok_or_else(|| {
Lukasz Anforowiczf9564622022-01-28 14:31:04 +0000463 anyhow!("Missing `__this` parameter in an instance method: {:?}", func)
464 })?;
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700465 first_param.is_ref_to(record)
Lukasz Anforowiczf9564622022-01-28 14:31:04 +0000466 } else {
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700467 false
468 };
Devin Jeanpierre6784e5e2022-03-29 02:59:01 -0700469 impl_kind = ImplKind::Struct {
470 record_name: make_rs_ident(&record.rs_name),
471 format_first_param_as_self,
Devin Jeanpierre7c3d8ed2022-03-29 03:02:04 -0700472 is_unsafe: has_pointer_params,
Devin Jeanpierre6784e5e2022-03-29 02:59:01 -0700473 };
Lukasz Anforowiczf9564622022-01-28 14:31:04 +0000474 }
475 };
Michael Forstered642022021-10-04 09:48:25 +0000476 }
Devin Jeanpierre91de7012021-10-21 12:53:51 +0000477 UnqualifiedIdentifier::Destructor => {
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000478 // Note: to avoid double-destruction of the fields, they are all wrapped in
479 // ManuallyDrop in this case. See `generate_record`.
480 let record =
481 maybe_record.ok_or_else(|| anyhow!("Destructors must be member functions."))?;
Lukasz Anforowicze57215c2022-01-12 14:54:16 +0000482 if !should_implement_drop(record) {
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700483 return Ok(None);
Devin Jeanpierre91de7012021-10-21 12:53:51 +0000484 }
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -0700485 if record.is_unpin() {
486 impl_kind = ImplKind::new_trait(
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700487 TraitName::Other { name: quote! {Drop}, params: vec![], is_unsafe_fn: false },
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -0700488 make_rs_ident(&record.rs_name),
489 /* format_first_param_as_self= */ true,
490 );
491 func_name = make_rs_ident("drop");
492 } else {
493 impl_kind = ImplKind::new_trait(
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700494 TraitName::Other {
495 name: quote! {::ctor::PinnedDrop},
496 params: vec![],
497 is_unsafe_fn: true,
498 },
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -0700499 make_rs_ident(&record.rs_name),
500 /* format_first_param_as_self= */ true,
501 );
502 func_name = make_rs_ident("pinned_drop");
503 }
Devin Jeanpierre91de7012021-10-21 12:53:51 +0000504 }
Lukasz Anforowicz13cf7492021-12-22 15:29:52 +0000505 UnqualifiedIdentifier::Constructor => {
Lukasz Anforowicz71716b72022-01-26 17:05:05 +0000506 let member_func_metadata = func
507 .member_func_metadata
508 .as_ref()
509 .ok_or_else(|| anyhow!("Constructors must be member functions."))?;
510 let record = maybe_record
511 .ok_or_else(|| anyhow!("Constructors must be associated with a record."))?;
512 let instance_method_metadata =
513 member_func_metadata
514 .instance_method_metadata
515 .as_ref()
516 .ok_or_else(|| anyhow!("Constructors must be instance methods."))?;
Devin Jeanpierre7c3d8ed2022-03-29 03:02:04 -0700517 if has_pointer_params {
Lukasz Anforowicz55673c92022-01-27 19:37:26 +0000518 // TODO(b/216648347): Allow this outside of traits (e.g. after supporting
519 // translating C++ constructors into static methods in Rust).
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700520 bail!(
Lukasz Anforowiczeb19ac62022-02-05 00:10:16 +0000521 "Unsafe constructors (e.g. with no elided or explicit lifetimes) \
522 are intentionally not supported",
523 );
Lukasz Anforowicz55673c92022-01-27 19:37:26 +0000524 }
525
Devin Jeanpierre6784e5e2022-03-29 02:59:01 -0700526 let record_name = make_rs_ident(&record.rs_name);
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000527 if !record.is_unpin() {
528 func_name = make_rs_ident("ctor_new");
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000529
Devin Jeanpierread125742022-04-11 13:50:28 -0700530 match param_types {
531 [] => bail!("Missing `__this` parameter in a constructor: {:?}", func),
532 [_this, params @ ..] => {
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700533 impl_kind = ImplKind::new_trait(
Devin Jeanpierread125742022-04-11 13:50:28 -0700534 TraitName::CtorNew(params.iter().cloned().collect()),
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +0000535 record_name,
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700536 /* format_first_param_as_self= */ false,
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +0000537 );
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000538 }
Lukasz Anforowicz73326af2022-01-05 01:13:10 +0000539 }
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000540 } else {
541 match func.params.len() {
542 0 => bail!("Missing `__this` parameter in a constructor: {:?}", func),
543 1 => {
544 impl_kind = ImplKind::new_trait(
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700545 TraitName::UnpinConstructor { name: quote! {Default}, params: vec![] },
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000546 record_name,
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700547 /* format_first_param_as_self= */ false,
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000548 );
549 func_name = make_rs_ident("default");
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000550 }
551 2 => {
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700552 if param_types[1].is_shared_ref_to(record) {
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000553 // Copy constructor
554 if should_derive_clone(record) {
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700555 return Ok(None);
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000556 } else {
557 impl_kind = ImplKind::new_trait(
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700558 TraitName::UnpinConstructor {
559 name: quote! {Clone},
560 params: vec![],
561 },
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000562 record_name,
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700563 /* format_first_param_as_self= */ true,
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000564 );
565 func_name = make_rs_ident("clone");
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000566 }
567 } else if !instance_method_metadata.is_explicit_ctor {
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700568 let param_type = &param_types[1];
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700569 impl_kind = ImplKind::new_trait(
570 TraitName::UnpinConstructor {
571 name: quote! {From},
572 params: vec![param_type.clone()],
573 },
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000574 record_name,
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700575 /* format_first_param_as_self= */ false,
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000576 );
577 func_name = make_rs_ident("from");
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000578 } else {
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700579 bail!("Not yet supported type of constructor parameter",);
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000580 }
581 }
582 _ => {
583 // TODO(b/216648347): Support bindings for other constructors.
Devin Jeanpierred7b48102022-03-31 04:15:03 -0700584 bail!("More than 1 constructor parameter is not supported yet",);
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000585 }
Lukasz Anforowicz73326af2022-01-05 01:13:10 +0000586 }
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000587 }
588 }
589 }
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700590 Ok(Some((func_name, impl_kind)))
591}
592
593/// Generates Rust source code for a given `Func`.
594///
595/// Returns:
596///
597/// * `Err(_)`: couldn't import the function, emit an `UnsupportedItem`.
598/// * `Ok(None)`: the function imported as "nothing". (For example, a defaulted
599/// destructor might be mapped to no `Drop` impl at all.)
600/// * `Ok((rs_api, rs_thunk, function_id))`: The Rust function definition,
601/// thunk FFI definition, and function ID.
602fn generate_func(func: &Func, ir: &IR) -> Result<Option<(RsSnippet, RsSnippet, FunctionId)>> {
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700603 let param_types = func
Devin Jeanpierre9c34da62022-03-31 04:57:16 -0700604 .params
605 .iter()
606 .map(|p| {
607 RsTypeKind::new(&p.type_.rs_type, ir).with_context(|| {
608 format!("Failed to process type of parameter {:?} on {:?}", p, func)
609 })
610 })
611 .collect::<Result<Vec<_>>>()?;
612
Devin Jeanpierread125742022-04-11 13:50:28 -0700613 let (func_name, mut impl_kind) = if let Some(values) = api_func_shape(func, ir, &param_types)? {
614 values
615 } else {
616 return Ok(None);
617 };
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000618
Devin Jeanpierred9cecff2022-03-29 02:53:58 -0700619 let return_type_fragment = RsTypeKind::new(&func.return_type.rs_type, ir)
Devin Jeanpierre8c6ff6d2022-04-06 12:57:14 -0700620 .with_context(|| format!("Failed to format return type for {:?}", func))?
621 .format_as_return_type_fragment();
Devin Jeanpierred9cecff2022-03-29 02:53:58 -0700622 let param_idents =
623 func.params.iter().map(|p| make_rs_ident(&p.identifier.identifier)).collect_vec();
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700624
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700625 let thunk = generate_func_thunk(func, &param_idents, &param_types, &return_type_fragment)?;
Devin Jeanpierred9cecff2022-03-29 02:53:58 -0700626
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000627 let api_func_def = {
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700628 let mut return_type_fragment = return_type_fragment;
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000629 let mut thunk_args = param_idents.iter().map(|id| quote! { #id}).collect_vec();
630 let mut api_params = param_idents
631 .iter()
632 .zip(param_types.iter())
633 .map(|(ident, type_)| quote! { #ident : #type_ })
634 .collect_vec();
Lukasz Anforowicz95551272022-01-20 00:02:24 +0000635 let mut lifetimes = func.lifetime_params.iter().collect_vec();
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700636 let mut maybe_first_api_param = param_types.get(0);
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000637
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000638 if let ImplKind::Trait {
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700639 trait_name: trait_name @ (TraitName::UnpinConstructor { .. } | TraitName::CtorNew(..)),
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000640 ..
Devin Jeanpierread125742022-04-11 13:50:28 -0700641 } = &impl_kind
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000642 {
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000643 return_type_fragment = quote! { -> Self };
644
Lukasz Anforowiczf9564622022-01-28 14:31:04 +0000645 // Drop `__this` parameter from the public Rust API. Presence of
646 // element #0 is indirectly verified by a `Constructor`-related
647 // `match` branch a little bit above.
648 api_params.remove(0);
649 thunk_args.remove(0);
Lukasz Anforowicz95551272022-01-20 00:02:24 +0000650
Lukasz Anforowicz326c4e42022-01-27 14:43:00 +0000651 // Remove the lifetime associated with `__this`.
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +0000652 ensure!(
653 func.return_type.rs_type.is_unit_type(),
654 "Unexpectedly non-void return type of a constructor: {:?}",
655 func
656 );
Lukasz Anforowiczf7bdd392022-01-21 00:33:39 +0000657 let maybe_first_lifetime = func.params[0].type_.rs_type.lifetime_args.first();
Lukasz Anforowicz55673c92022-01-27 19:37:26 +0000658 let no_longer_needed_lifetime_id = maybe_first_lifetime
659 .ok_or_else(|| anyhow!("Missing lifetime on `__this` parameter: {:?}", func))?;
660 lifetimes.retain(|l| l.id != *no_longer_needed_lifetime_id);
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700661 if let Some(type_still_dependent_on_removed_lifetime) = param_types
Lukasz Anforowicz55673c92022-01-27 19:37:26 +0000662 .iter()
663 .skip(1) // Skipping `__this`
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +0000664 .flat_map(|t| t.lifetimes())
665 .find(|lifetime_id| *lifetime_id == *no_longer_needed_lifetime_id)
Lukasz Anforowicz55673c92022-01-27 19:37:26 +0000666 {
667 bail!(
668 "The lifetime of `__this` is unexpectedly also used by another \
669 parameter {:?} in function {:?}",
670 type_still_dependent_on_removed_lifetime,
671 func.name
672 );
Lukasz Anforowicz95551272022-01-20 00:02:24 +0000673 }
674
675 // Rebind `maybe_first_api_param` to the next param after `__this`.
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700676 maybe_first_api_param = param_types.get(1);
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000677
Devin Jeanpierread125742022-04-11 13:50:28 -0700678 if let TraitName::CtorNew(args_type) = trait_name {
679 // CtorNew has no self param, so this should never be used -- and we should fail
680 // if it is.
681 maybe_first_api_param = None;
682
683 return_type_fragment = quote! { -> Self::CtorType };
684 let args_type = format_tuple_except_singleton(args_type);
685 api_params = vec![quote! {args: #args_type}];
686 }
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000687 }
688
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000689 // Change `__this: &'a SomeStruct` into `&'a self` if needed.
Devin Jeanpierred9a6e6c2022-03-29 02:55:41 -0700690 if impl_kind.format_first_param_as_self() {
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000691 let first_api_param = maybe_first_api_param
692 .ok_or_else(|| anyhow!("No parameter to format as 'self': {:?}", func))?;
Devin Jeanpierre8a4fa202022-06-08 12:33:11 -0700693 let self_decl = first_api_param.format_as_self_param()?;
Lukasz Anforowiczf9564622022-01-28 14:31:04 +0000694 // Presence of element #0 is verified by `ok_or_else` on
695 // `maybe_first_api_param` above.
696 api_params[0] = self_decl;
697 thunk_args[0] = quote! { self };
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000698 }
699
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000700 // TODO(b/200067242): the Pin-wrapping code doesn't know to wrap &mut
701 // MaybeUninit<T> in Pin if T is !Unpin. It should understand
702 // 'structural pinning', so that we do not need into_inner_unchecked()
703 // here.
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700704 let thunk_ident = thunk_ident(func);
Devin Jeanpierre7bddfdb2022-03-14 11:04:40 +0000705 let func_body = match &impl_kind {
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000706 ImplKind::Trait { trait_name: TraitName::CtorNew(..), .. } => {
Devin Jeanpierread125742022-04-11 13:50:28 -0700707 let thunk_vars = format_tuple_except_singleton(&thunk_args);
Devin Jeanpierredeea7892022-03-29 02:13:31 -0700708 // TODO(b/226447239): check for copy here and instead use copies in that case?
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000709 quote! {
Devin Jeanpierread125742022-04-11 13:50:28 -0700710 let #thunk_vars = args;
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -0700711 ctor::FnCtor::new(move |dest: crate::rust_std::pin::Pin<&mut crate::rust_std::mem::MaybeUninit<Self>>| {
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000712 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -0700713 crate::detail::#thunk_ident(crate::rust_std::pin::Pin::into_inner_unchecked(dest) #( , #thunk_args )*);
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000714 }
715 })
716 }
717 }
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700718 ImplKind::Trait { trait_name: TraitName::UnpinConstructor { .. }, .. } => {
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000719 // SAFETY: A user-defined constructor is not guaranteed to
720 // initialize all the fields. To make the `assume_init()` call
721 // below safe, the memory is zero-initialized first. This is a
722 // bit safer, because zero-initialized memory represents a valid
723 // value for the currently supported field types (this may
724 // change once the bindings generator starts supporting
725 // reference fields). TODO(b/213243309): Double-check if
726 // zero-initialization is desirable here.
727 quote! {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -0700728 let mut tmp = crate::rust_std::mem::MaybeUninit::<Self>::zeroed();
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000729 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -0700730 crate::detail::#thunk_ident( &mut tmp #( , #thunk_args )* );
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000731 tmp.assume_init()
Lukasz Anforowicz13cf7492021-12-22 15:29:52 +0000732 }
Lukasz Anforowicz13cf7492021-12-22 15:29:52 +0000733 }
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000734 }
Devin Jeanpierre7bddfdb2022-03-14 11:04:40 +0000735 _ => {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -0700736 let mut body = quote! { crate::detail::#thunk_ident( #( #thunk_args ),* ) };
Devin Jeanpierre9ced4ef2022-06-08 12:39:10 -0700737 // Somewhat hacky: discard the return value for operator=.
738 if let UnqualifiedIdentifier::Operator(op) = &func.name {
739 if op.name == "=" {
740 body = quote! { #body; };
741 return_type_fragment = quote! {};
742 }
743 }
Devin Jeanpierre7bddfdb2022-03-14 11:04:40 +0000744 // Only need to wrap everything in an `unsafe { ... }` block if
745 // the *whole* api function is safe.
Devin Jeanpierre7c3d8ed2022-03-29 03:02:04 -0700746 if !impl_kind.is_unsafe() {
Devin Jeanpierre7bddfdb2022-03-14 11:04:40 +0000747 body = quote! { unsafe { #body } };
748 }
749 body
750 }
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000751 };
752
Devin Jeanpierre7c3d8ed2022-03-29 03:02:04 -0700753 let pub_ = match impl_kind {
754 ImplKind::None { .. } | ImplKind::Struct { .. } => quote! { pub },
755 ImplKind::Trait { .. } => quote! {},
756 };
757 let unsafe_ = if impl_kind.is_unsafe() {
758 quote! { unsafe }
759 } else {
760 quote! {}
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000761 };
762
Lukasz Anforowicz5e623782022-03-14 16:52:23 +0000763 let fn_generic_params: TokenStream;
Devin Jeanpierree77fa7e2022-06-02 14:05:58 -0700764 if let ImplKind::Trait { trait_name, trait_generic_params, .. } = &mut impl_kind {
765 let trait_lifetimes: HashSet<LifetimeId> = trait_name.lifetimes().collect();
766 fn_generic_params = format_generic_params(
767 lifetimes.iter().filter(|lifetime| !trait_lifetimes.contains(&lifetime.id)),
768 );
769 *trait_generic_params = format_generic_params(
770 lifetimes.iter().filter(|lifetime| trait_lifetimes.contains(&lifetime.id)),
771 );
Lukasz Anforowicz5e623782022-03-14 16:52:23 +0000772 } else {
773 fn_generic_params = format_generic_params(lifetimes);
774 }
Lukasz Anforowicz95551272022-01-20 00:02:24 +0000775
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000776 quote! {
777 #[inline(always)]
Lukasz Anforowicz5e623782022-03-14 16:52:23 +0000778 #pub_ #unsafe_ fn #func_name #fn_generic_params(
779 #( #api_params ),* ) #return_type_fragment {
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000780 #func_body
781 }
Lukasz Anforowicz13cf7492021-12-22 15:29:52 +0000782 }
Michael Forstered642022021-10-04 09:48:25 +0000783 };
784
Devin Jeanpierred9cecff2022-03-29 02:53:58 -0700785 let doc_comment = generate_doc_comment(&func.doc_comment);
786 let mut features = BTreeSet::new();
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000787 let api_func: TokenStream;
788 let function_id: FunctionId;
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000789 match impl_kind {
Devin Jeanpierre7c3d8ed2022-03-29 03:02:04 -0700790 ImplKind::None { .. } => {
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000791 api_func = quote! { #doc_comment #api_func_def };
792 function_id = FunctionId { self_type: None, function_path: func_name.into() };
793 }
Devin Jeanpierre6784e5e2022-03-29 02:59:01 -0700794 ImplKind::Struct { record_name, .. } => {
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000795 api_func = quote! { impl #record_name { #doc_comment #api_func_def } };
796 function_id = FunctionId {
797 self_type: None,
798 function_path: syn::parse2(quote! { #record_name :: #func_name })?,
799 };
800 }
Lukasz Anforowicz5e623782022-03-14 16:52:23 +0000801 ImplKind::Trait { trait_name, record_name, trait_generic_params, .. } => {
Devin Jeanpierre46d515c2022-05-03 02:36:54 -0700802 let extra_body;
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000803 let extra_items;
Devin Jeanpierre46d515c2022-05-03 02:36:54 -0700804 match &trait_name {
805 TraitName::CtorNew(params) => {
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000806 // This feature seems destined for stabilization, and makes the code
807 // simpler.
808 features.insert(make_rs_ident("type_alias_impl_trait"));
Devin Jeanpierre46d515c2022-05-03 02:36:54 -0700809 extra_body = quote! {type CtorType = impl ctor::Ctor<Output = Self>;};
810
811 if let [single_param] = params.as_slice() {
812 extra_items = quote! {
813 impl #trait_generic_params ctor::CtorNew<(#single_param,)> for #record_name {
814 #extra_body
815
816 #[inline (always)]
817 fn ctor_new(args: (#single_param,)) -> Self::CtorType {
818 let (arg,) = args;
819 <Self as ctor::CtorNew<#single_param>>::ctor_new(arg)
820 }
821 }
822 }
823 } else {
824 extra_items = quote! {}
825 }
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000826 }
827 _ => {
Devin Jeanpierre46d515c2022-05-03 02:36:54 -0700828 extra_body = quote! {};
Devin Jeanpierre6f607372022-03-22 21:34:38 +0000829 extra_items = quote! {};
830 }
831 };
Lukasz Anforowicz5e623782022-03-14 16:52:23 +0000832 api_func = quote! {
833 #doc_comment
834 impl #trait_generic_params #trait_name for #record_name {
Devin Jeanpierre46d515c2022-05-03 02:36:54 -0700835 #extra_body
Lukasz Anforowicz5e623782022-03-14 16:52:23 +0000836 #api_func_def
837 }
Devin Jeanpierre46d515c2022-05-03 02:36:54 -0700838 #extra_items
Lukasz Anforowicz5e623782022-03-14 16:52:23 +0000839 };
Lukasz Anforowiczab65e292022-01-14 23:04:21 +0000840 function_id = FunctionId {
841 self_type: Some(record_name.into()),
842 function_path: syn::parse2(quote! { #trait_name :: #func_name })?,
843 };
844 }
845 }
846
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700847 Ok(Some((RsSnippet { features, tokens: api_func }, thunk.into(), function_id)))
848}
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +0000849
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700850fn generate_func_thunk(
851 func: &Func,
852 param_idents: &[Ident],
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700853 param_types: &[RsTypeKind],
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700854 return_type_fragment: &TokenStream,
855) -> Result<TokenStream> {
856 let thunk_attr = if can_skip_cc_thunk(func) {
857 let mangled_name = &func.mangled_name;
858 quote! {#[link_name = #mangled_name]}
859 } else {
860 quote! {}
Michael Forstered642022021-10-04 09:48:25 +0000861 };
862
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700863 // For constructors, inject MaybeUninit into the type of `__this_` parameter.
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700864 let mut param_types = param_types.into_iter();
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700865 let mut self_param = None;
866 if func.name == UnqualifiedIdentifier::Constructor {
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700867 let first_param = param_types
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700868 .next()
869 .ok_or_else(|| anyhow!("Constructors should have at least one parameter (__this)"))?;
870 self_param = Some(first_param.format_mut_ref_as_uninitialized().with_context(|| {
871 format!(
872 "Failed to format `__this` param for a constructor thunk: {:?}",
873 func.params.get(0)
874 )
875 })?);
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700876 }
877
878 let thunk_ident = thunk_ident(func);
Devin Jeanpierrea68fdbc2022-05-27 04:16:36 -0700879 let lifetimes = func.lifetime_params.iter();
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700880 let generic_params = format_generic_params(lifetimes);
Devin Jeanpierre22f91492022-04-06 13:01:23 -0700881 let param_types = self_param.into_iter().chain(param_types.map(|t| quote! {#t}));
Devin Jeanpierre3eb5bbd2022-04-06 12:56:19 -0700882
883 Ok(quote! {
884 #thunk_attr
885 pub(crate) fn #thunk_ident #generic_params( #( #param_idents: #param_types ),*
886 ) #return_type_fragment ;
887 })
Michael Forstered642022021-10-04 09:48:25 +0000888}
889
Michael Forstercc5941a2021-10-07 07:12:24 +0000890fn generate_doc_comment(comment: &Option<String>) -> TokenStream {
891 match comment {
Michael Forster028800b2021-10-05 12:39:59 +0000892 Some(text) => {
Marcel Hlopko89547752021-12-10 09:39:41 +0000893 // token_stream_printer (and rustfmt) don't put a space between /// and the doc
894 // comment, let's add it here so our comments are pretty.
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +0000895 let doc = format!(" {}", text.replace('\n', "\n "));
Michael Forster028800b2021-10-05 12:39:59 +0000896 quote! {#[doc=#doc]}
897 }
898 None => quote! {},
Michael Forstercc5941a2021-10-07 07:12:24 +0000899 }
900}
Lukasz Anforowiczdaff0402021-12-23 00:37:50 +0000901
Devin Jeanpierre92ca2612022-04-06 11:35:13 -0700902fn format_generic_params<T: ToTokens>(params: impl IntoIterator<Item = T>) -> TokenStream {
Lukasz Anforowiczdaff0402021-12-23 00:37:50 +0000903 let mut params = params.into_iter().peekable();
904 if params.peek().is_none() {
905 quote! {}
906 } else {
907 quote! { < #( #params ),* > }
908 }
909}
910
Devin Jeanpierread125742022-04-11 13:50:28 -0700911/// Formats singletons as themselves, and collections of n!=1 items as a tuple.
912///
913/// In other words, this formats a collection of things as if via `#(#items),*`,
914/// but without lint warnings.
915///
916/// For example:
917///
918/// * [] => ()
919/// * [x] => x // equivalent to (x), but lint-free.
920/// * [x, y] => (x, y)
921fn format_tuple_except_singleton<T: ToTokens>(items: &[T]) -> TokenStream {
922 match items {
923 [singleton] => quote! {#singleton},
924 items => quote! {(#(#items),*)},
925 }
926}
927
Lukasz Anforowicze57215c2022-01-12 14:54:16 +0000928fn should_implement_drop(record: &Record) -> bool {
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -0700929 match record.destructor {
Lukasz Anforowicze57215c2022-01-12 14:54:16 +0000930 // TODO(b/202258760): Only omit destructor if `Copy` is specified.
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -0700931 SpecialMemberFunc::Trivial => false,
Lukasz Anforowicze57215c2022-01-12 14:54:16 +0000932
933 // TODO(b/212690698): Avoid calling into the C++ destructor (e.g. let
934 // Rust drive `drop`-ing) to avoid (somewhat unergonomic) ManuallyDrop
935 // if we can ask Rust to preserve C++ field destruction order in
936 // NontrivialMembers case.
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -0700937 SpecialMemberFunc::NontrivialMembers => true,
Lukasz Anforowicze57215c2022-01-12 14:54:16 +0000938
939 // The `impl Drop` for NontrivialUserDefined needs to call into the
940 // user-defined destructor on C++ side.
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -0700941 SpecialMemberFunc::NontrivialUserDefined => true,
Lukasz Anforowicze57215c2022-01-12 14:54:16 +0000942
943 // TODO(b/213516512): Today the IR doesn't contain Func entries for
944 // deleted functions/destructors/etc. But, maybe we should generate
945 // `impl Drop` in this case? With `unreachable!`? With
946 // `std::mem::forget`?
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -0700947 SpecialMemberFunc::Unavailable => false,
Lukasz Anforowicze57215c2022-01-12 14:54:16 +0000948 }
949}
950
951/// Returns whether fields of type `ty` need to be wrapped in `ManuallyDrop<T>`
952/// to prevent the fields from being destructed twice (once by the C++
953/// destructor calkled from the `impl Drop` of the struct and once by `drop` on
954/// the Rust side).
955///
956/// A type is safe to destroy twice if it implements `Copy`. Fields of such
957/// don't need to be wrapped in `ManuallyDrop<T>` even if the struct
958/// containing the fields provides an `impl Drop` that calles into a C++
959/// destructor (in addition to dropping the fields on the Rust side).
960///
961/// Note that it is not enough to just be `!needs_drop<T>()`: Rust only
962/// guarantees that it is safe to use-after-destroy for `Copy` types. See
963/// e.g. the documentation for
964/// [`drop_in_place`](https://doc.rust-lang.org/std/ptr/fn.drop_in_place.html):
965///
966/// > if `T` is not `Copy`, using the pointed-to value after calling
967/// > `drop_in_place` can cause undefined behavior
Teddy Katzd2cd1422022-04-04 09:41:33 -0700968///
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -0700969/// For non-Copy union fields, failing to use `ManuallyDrop<T>` would
970/// additionally cause a compile-time error until https://github.com/rust-lang/rust/issues/55149 is stabilized.
Lukasz Anforowicze57215c2022-01-12 14:54:16 +0000971fn needs_manually_drop(ty: &ir::RsType, ir: &IR) -> Result<bool> {
972 let ty_implements_copy = RsTypeKind::new(ty, ir)?.implements_copy();
973 Ok(!ty_implements_copy)
974}
975
Rosica Dejanovska8283fe62022-05-09 10:04:28 -0700976/// Returns the namespace qualifier for the given item.
977fn generate_namespace_qualifier(item_id: ItemId, ir: &IR) -> Result<impl Iterator<Item = Ident>> {
978 let mut namespaces = vec![];
979 let item: &Item = ir.find_decl(item_id)?;
980 let mut enclosing_namespace_id = item.enclosing_namespace_id();
981 while let Some(parent_id) = enclosing_namespace_id {
982 let namespace_item = ir.find_decl(parent_id)?;
983 match namespace_item {
984 Item::Namespace(ns) => {
985 namespaces.push(make_rs_ident(&ns.name.identifier));
986 enclosing_namespace_id = ns.enclosing_namespace_id;
987 }
988 _ => {
989 bail!("Expected namespace");
990 }
991 }
992 }
993 Ok(namespaces.into_iter().rev())
994}
995
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -0700996/// Generates Rust source code for a given incomplete record declaration.
997fn generate_incomplete_record(incomplete_record: &IncompleteRecord) -> Result<TokenStream> {
998 let ident = make_rs_ident(&incomplete_record.cc_name);
999 let name = &incomplete_record.cc_name;
1000 Ok(quote! {
1001 forward_declare::forward_declare!(
1002 pub #ident __SPACE__ = __SPACE__ forward_declare::symbol!(#name)
1003 );
1004 })
1005}
1006
Lukasz Anforowicz0dbcf0e2022-05-17 06:46:24 -07001007fn make_rs_field_ident(field: &Field, field_index: usize) -> Ident {
1008 match field.identifier.as_ref() {
1009 None => make_rs_ident(&format!("__unnamed_field{}", field_index)),
1010 Some(Identifier { identifier }) => make_rs_ident(identifier),
1011 }
1012}
1013
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07001014/// Gets the type of `field` for layout purposes.
1015///
1016/// Note that `get_field_rs_type_for_layout` may return Err (for
1017/// `is_no_unique_address` fields) even if `field.type_` is Ok.
1018fn get_field_rs_type_for_layout(field: &Field) -> Result<&RsType, &str> {
1019 // [[no_unique_address]] fields are replaced by a type-less, unaligned block of
1020 // memory which fills space up to the next field.
Lukasz Anforowicz5765bb82022-05-17 17:21:06 -07001021 // See: docs/struct_layout
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07001022 if field.is_no_unique_address {
1023 return Err("`[[no_unique_address]]` attribute was present.");
1024 }
1025
1026 field.type_.as_ref().map(|t| &t.rs_type).map_err(String::as_str)
Lukasz Anforowicz5765bb82022-05-17 17:21:06 -07001027}
1028
Michael Forster82c02d32022-05-20 21:47:33 -07001029/// Returns the type of a type-less, unaligned block of memory that can hold a
1030/// specified number of bits, rounded up to the next multiple of 8.
1031fn bit_padding(padding_size_in_bits: usize) -> TokenStream {
1032 let padding_size = Literal::usize_unsuffixed((padding_size_in_bits + 7) / 8);
1033 quote! { [crate::rust_std::mem::MaybeUninit<u8>; #padding_size] }
1034}
1035
Michael Forsterbee84482021-10-13 08:35:38 +00001036/// Generates Rust source code for a given `Record` and associated assertions as
1037/// a tuple.
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001038fn generate_record(
1039 record: &Record,
1040 ir: &IR,
1041 overloaded_funcs: &HashSet<FunctionId>,
1042) -> Result<GeneratedItem> {
Lukasz Anforowicz4c3a2cc2022-03-11 00:24:49 +00001043 let ident = make_rs_ident(&record.rs_name);
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07001044 let namespace_qualifier = generate_namespace_qualifier(record.id, ir)?;
1045 let qualified_ident = {
1046 quote! { crate:: #(#namespace_qualifier::)* #ident }
1047 };
Michael Forstercc5941a2021-10-07 07:12:24 +00001048 let doc_comment = generate_doc_comment(&record.doc_comment);
Lukasz Anforowiczfed64e62022-03-22 22:39:04 +00001049
1050 let mut field_copy_trait_assertions: Vec<TokenStream> = vec![];
Michael Forster82c02d32022-05-20 21:47:33 -07001051
1052 let fields_with_bounds = (record.fields.iter())
1053 .map(|field| {
1054 (
1055 // We don't represent bitfields directly in Rust. We drop the field itself here
1056 // and only retain the offset information. Adjacent bitfields then get merged in
1057 // the next step.
1058 if field.is_bitfield { None } else { Some(field) },
1059 field.offset,
1060 // We retain the end offset of fields only if we have a matching Rust type
1061 // to represent them. Otherwise we'll fill up all the space to the next field.
1062 // See: docs/struct_layout
Marcel Hlopkof05621b2022-05-25 00:26:06 -07001063 match get_field_rs_type_for_layout(field) {
1064 // Regular field
1065 Ok(_rs_type) => Some(field.offset + field.size),
1066 // Opaque field
1067 Err(_error) => {
1068 if record.is_union {
1069 Some(field.size)
1070 } else {
1071 None
1072 }
1073 }
1074 },
Michael Forster82c02d32022-05-20 21:47:33 -07001075 vec![format!(
1076 "{} : {} bits",
1077 field.identifier.as_ref().map(|i| i.identifier.clone()).unwrap_or("".into()),
1078 field.size
1079 )],
1080 )
1081 })
1082 // Merge consecutive bitfields. This is necessary, because they may share storage in the
1083 // same byte.
1084 .coalesce(|first, second| match (first, second) {
1085 ((None, offset, _, desc1), (None, _, end, desc2)) => {
1086 Ok((None, offset, end, [desc1, desc2].concat()))
1087 }
1088 pair => Err(pair),
1089 });
1090
1091 // Pair up fields with the preceeding and following fields (if any):
1092 // - the end offset of the previous field determines if we need to insert
1093 // padding.
1094 // - the start offset of the next field may be need to grow the current field to
1095 // there.
1096 // This uses two separate `map` invocations on purpose to limit available state.
1097 let field_definitions = iter::once(None)
1098 .chain(fields_with_bounds.clone().map(Some))
1099 .chain(iter::once(None))
1100 .tuple_windows()
1101 .map(|(prev, cur, next)| {
1102 let (field, offset, end, desc) = cur.unwrap();
1103 let prev_end = prev.as_ref().map(|(_, _, e, _)| *e).flatten().unwrap_or(offset);
1104 let next_offset = next.map(|(_, o, _, _)| o);
1105 let end = end.or(next_offset).unwrap_or(record.size * 8);
1106
1107 if let Some((Some(prev_field), _, Some(prev_end), _)) = prev {
1108 assert!(
1109 record.is_union || prev_end <= offset,
1110 "Unexpected offset+size for field {:?} in record {}",
1111 prev_field,
1112 record.cc_name
1113 );
1114 }
1115
1116 (field, prev_end, offset, end, desc)
1117 })
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00001118 .enumerate()
Michael Forster82c02d32022-05-20 21:47:33 -07001119 .map(|(field_index, (field, prev_end, offset, end, desc))| {
1120 // `is_opaque_blob` and bitfield representations are always
1121 // unaligned, even though the actual C++ field might be aligned.
1122 // To put the current field at the right offset, we might need to
1123 // insert some extra padding.
1124 //
1125 // No padding should be needed if the type of the current field is
1126 // known (i.e. if the current field is correctly aligned based on
1127 // its original type).
1128 //
1129 // We also don't need padding if we're in a union.
1130 let padding_size_in_bits = if record.is_union
1131 || (field.is_some() && get_field_rs_type_for_layout(field.unwrap()).is_ok())
1132 {
1133 0
1134 } else {
1135 let padding_start = (prev_end + 7) / 8 * 8; // round up to byte boundary
1136 offset - padding_start
1137 };
1138
1139 let padding = if padding_size_in_bits == 0 {
1140 quote! {}
1141 } else {
1142 let padding_name = make_rs_ident(&format!("__padding{}", field_index));
1143 let padding_type = bit_padding(padding_size_in_bits);
1144 quote! { #padding_name: #padding_type, }
1145 };
1146
1147 // Bitfields get represented by private padding to ensure overall
1148 // struct layout is compatible.
1149 if field.is_none() {
1150 let name = make_rs_ident(&format!("__bitfields{}", field_index));
1151 let bitfield_padding = bit_padding(end - offset);
1152 return Ok(quote! {
1153 __NEWLINE__ #( __COMMENT__ #desc )*
1154 #padding #name: #bitfield_padding
1155 });
1156 }
1157 let field = field.unwrap();
1158
Lukasz Anforowicz0dbcf0e2022-05-17 06:46:24 -07001159 let ident = make_rs_field_ident(field, field_index);
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07001160 let doc_comment = match field.type_.as_ref() {
1161 Ok(_) => generate_doc_comment(&field.doc_comment),
1162 Err(msg) => {
1163 let supplemental_text =
1164 format!("Reason for representing this field as a blob of bytes:\n{}", msg);
1165 let new_text = match field.doc_comment.as_ref() {
1166 None => supplemental_text,
1167 Some(old_text) => format!("{}\n\n{}", old_text, supplemental_text),
1168 };
1169 generate_doc_comment(&Some(new_text))
1170 }
1171 };
1172 let access = if field.access == AccessSpecifier::Public
1173 && get_field_rs_type_for_layout(field).is_ok()
1174 {
Lukasz Anforowicz0dbcf0e2022-05-17 06:46:24 -07001175 quote! { pub }
1176 } else {
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07001177 quote! { pub(crate) }
Lukasz Anforowicz0dbcf0e2022-05-17 06:46:24 -07001178 };
1179
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07001180 let field_type = match get_field_rs_type_for_layout(field) {
Michael Forster82c02d32022-05-20 21:47:33 -07001181 Err(_) => bit_padding(end - field.offset),
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07001182 Ok(rs_type) => {
1183 let mut formatted = format_rs_type(&rs_type, ir).with_context(|| {
Lukasz Anforowicz0dbcf0e2022-05-17 06:46:24 -07001184 format!(
1185 "Failed to format type for field {:?} on record {:?}",
1186 field, record
1187 )
1188 })?;
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07001189 if should_implement_drop(record) || record.is_union {
1190 if needs_manually_drop(rs_type, ir)? {
1191 // TODO(b/212690698): Avoid (somewhat unergonomic) ManuallyDrop
1192 // if we can ask Rust to preserve field destruction order if the
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -07001193 // destructor is the SpecialMemberFunc::NontrivialMembers
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07001194 // case.
1195 formatted = quote! { crate::rust_std::mem::ManuallyDrop<#formatted> }
1196 } else {
1197 field_copy_trait_assertions.push(quote! {
1198 const _: () = {
1199 static_assertions::assert_impl_all!(#formatted: Copy);
1200 };
1201 });
1202 }
1203 };
1204 formatted
1205 }
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00001206 };
Lukasz Anforowicz0dbcf0e2022-05-17 06:46:24 -07001207
Lukasz Anforowicz5765bb82022-05-17 17:21:06 -07001208 Ok(quote! { #padding #doc_comment #access #ident: #field_type })
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00001209 })
Devin Jeanpierre09c6f452021-09-29 07:34:24 +00001210 .collect::<Result<Vec<_>>>()?;
Lukasz Anforowiczfed64e62022-03-22 22:39:04 +00001211
Lukasz Anforowiczdc37d6d2022-05-17 08:20:13 -07001212 let size = Literal::usize_unsuffixed(record.size);
1213 let alignment = Literal::usize_unsuffixed(record.alignment);
Marcel Hlopkofa9a3952022-05-10 01:34:13 -07001214 let field_offset_assertions = if record.is_union {
1215 // TODO(https://github.com/Gilnaa/memoffset/issues/66): generate assertions for unions once
1216 // offsetof supports them.
1217 vec![]
1218 } else {
Michael Forster82c02d32022-05-20 21:47:33 -07001219 fields_with_bounds
Devin Jeanpierrea2be2a22022-05-18 18:59:05 -07001220 .enumerate()
Michael Forster82c02d32022-05-20 21:47:33 -07001221 .map(|(field_index, (field, _, _, _))| {
1222 if let Some(field) = field {
1223 let field_ident = make_rs_field_ident(field, field_index);
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07001224
1225 // The assertion below reinforces that the division by 8 on the next line is
1226 // justified (because the bitfields have been coallesced / filtered out
1227 // earlier).
1228 assert_eq!(field.offset % 8, 0);
1229 let expected_offset = Literal::usize_unsuffixed(field.offset / 8);
1230
Michael Forster82c02d32022-05-20 21:47:33 -07001231 let actual_offset_expr = quote! {
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07001232 memoffset_unstable_const::offset_of!(#qualified_ident, #field_ident)
Michael Forster82c02d32022-05-20 21:47:33 -07001233 };
1234 quote! {
1235 const _: () = assert!(#actual_offset_expr == #expected_offset);
1236 }
1237 } else {
1238 quote! {}
Devin Jeanpierrea2be2a22022-05-18 18:59:05 -07001239 }
1240 })
1241 .collect_vec()
Marcel Hlopkofa9a3952022-05-10 01:34:13 -07001242 };
Lukasz Anforowiczfed64e62022-03-22 22:39:04 +00001243 // TODO(b/212696226): Generate `assert_impl_all!` or `assert_not_impl_all!`
1244 // assertions about the `Copy` trait - this trait should be implemented
1245 // iff `should_implement_drop(record)` is false.
Michael Forsterdb8101a2021-10-08 06:56:03 +00001246 let mut record_features = BTreeSet::new();
1247 let mut assertion_features = BTreeSet::new();
Devin Jeanpierre273eeae2021-10-06 13:29:35 +00001248
1249 // TODO(mboehme): For the time being, we're using unstable features to
1250 // be able to use offset_of!() in static assertions. This is fine for a
1251 // prototype, but longer-term we want to either get those features
1252 // stabilized or find an alternative. For more details, see
1253 // b/200120034#comment15
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00001254 assertion_features.insert(make_rs_ident("const_ptr_offset_from"));
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00001255
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00001256 let derives = generate_derives(record);
Devin Jeanpierre9227d2c2021-10-06 12:26:05 +00001257 let derives = if derives.is_empty() {
1258 quote! {}
1259 } else {
1260 quote! {#[derive( #(#derives),* )]}
1261 };
Teddy Katzd2cd1422022-04-04 09:41:33 -07001262 let record_kind = if record.is_union {
1263 quote! { union }
1264 } else {
1265 quote! { struct }
1266 };
Devin Jeanpierre190b90a2022-05-24 06:00:34 -07001267
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07001268 let recursively_pinned_attribute = if record.is_unpin() {
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +00001269 quote! {}
Devin Jeanpierreea700d32021-10-06 11:33:56 +00001270 } else {
Michael Forsterbee84482021-10-13 08:35:38 +00001271 // negative_impls are necessary for universal initialization due to Rust's
1272 // coherence rules: PhantomPinned isn't enough to prove to Rust that a
1273 // blanket impl that requires Unpin doesn't apply. See http://<internal link>=h.f6jp8ifzgt3n
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00001274 record_features.insert(make_rs_ident("negative_impls"));
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07001275 if should_implement_drop(record) {
1276 quote! {#[ctor::recursively_pinned(PinnedDrop)]}
1277 } else {
1278 quote! {#[ctor::recursively_pinned]}
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +00001279 }
1280 };
Devin Jeanpierre273eeae2021-10-06 13:29:35 +00001281
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00001282 let mut repr_attributes = vec![quote! {C}];
1283 if record.override_alignment && record.alignment > 1 {
1284 let alignment = Literal::usize_unsuffixed(record.alignment);
1285 repr_attributes.push(quote! {align(#alignment)});
1286 }
1287
Devin Jeanpierre1221c2a2022-05-05 22:36:22 -07001288 // Adjust the struct to also include base class subobjects, vtables, etc.
1289 let head_padding = if let Some(first_field) = record.fields.first() {
1290 first_field.offset / 8
1291 } else {
1292 record.size
1293 };
Devin Jeanpierrea2be2a22022-05-18 18:59:05 -07001294 // Prevent direct initialization for non-aggregate structs.
1295 //
1296 // Technically, any implicit-lifetime type is going to be fine to initialize
1297 // using direct initialization of the fields, even if it is not an aggregate,
1298 // because this is "just" setting memory to the appropriate values, and
1299 // implicit-lifetime types can automatically begin their lifetime without
1300 // running a constructor at all.
1301 //
1302 // However, not all types used in interop are implicit-lifetime. For example,
1303 // while any `Unpin` C++ value is, some `!Unpin` structs (e.g. `std::list`)
1304 // will not be. So for consistency, we apply the same rule for both
1305 // implicit-lifetime and non-implicit-lifetime types: the C++ rule, that the
1306 // type must be an *aggregate* type.
1307 //
1308 // TODO(b/232969667): Protect unions from direct initialization, too.
1309 let allow_direct_init = record.is_aggregate || record.is_union;
1310 let head_padding = if head_padding > 0 || !allow_direct_init {
Devin Jeanpierre1221c2a2022-05-05 22:36:22 -07001311 let n = proc_macro2::Literal::usize_unsuffixed(head_padding);
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00001312 quote! {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07001313 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; #n],
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00001314 }
1315 } else {
1316 quote! {}
1317 };
1318
Devin Jeanpierre27450132022-04-11 13:52:01 -07001319 // TODO(b/227442773): After namespace support is added, use the fully-namespaced
1320 // name.
1321 let incomplete_symbol = &record.cc_name;
1322 let incomplete_definition = quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07001323 forward_declare::unsafe_define!(forward_declare::symbol!(#incomplete_symbol), #qualified_ident);
Devin Jeanpierre27450132022-04-11 13:52:01 -07001324 };
1325
Devin Jeanpierre58181ac2022-02-14 21:30:05 +00001326 let no_unique_address_accessors = cc_struct_no_unique_address_impl(record, ir)?;
Devin Jeanpierre8763a8e2022-04-26 15:45:13 -07001327 let mut record_generated_items = record
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001328 .child_item_ids
1329 .iter()
1330 .map(|id| {
1331 let item = ir.find_decl(*id)?;
1332 generate_item(item, ir, overloaded_funcs)
1333 })
1334 .collect::<Result<Vec<_>>>()?;
1335
Devin Jeanpierre8763a8e2022-04-26 15:45:13 -07001336 record_generated_items.push(cc_struct_upcast_impl(record, ir)?);
1337
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001338 let mut items = vec![];
1339 let mut thunks_from_record_items = vec![];
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001340 let mut thunk_impls_from_record_items = vec![];
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001341 let mut assertions_from_record_items = vec![];
1342
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001343 for generated in record_generated_items {
1344 items.push(generated.item);
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001345 if !generated.thunks.is_empty() {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001346 thunks_from_record_items.push(generated.thunks);
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001347 }
1348 if !generated.assertions.is_empty() {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001349 assertions_from_record_items.push(generated.assertions);
1350 }
1351 if !generated.thunk_impls.is_empty() {
1352 thunk_impls_from_record_items.push(generated.thunk_impls);
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001353 }
1354 record_features.extend(generated.features.clone());
1355 }
1356
Michael Forsterdb8101a2021-10-08 06:56:03 +00001357 let record_tokens = quote! {
Michael Forster028800b2021-10-05 12:39:59 +00001358 #doc_comment
Devin Jeanpierre9227d2c2021-10-06 12:26:05 +00001359 #derives
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07001360 #recursively_pinned_attribute
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00001361 #[repr(#( #repr_attributes ),*)]
Teddy Katzd2cd1422022-04-04 09:41:33 -07001362 pub #record_kind #ident {
Devin Jeanpierre1221c2a2022-05-05 22:36:22 -07001363 #head_padding
Lukasz Anforowicz0dbcf0e2022-05-17 06:46:24 -07001364 #( #field_definitions, )*
Marcel Hlopkob4b28742021-09-15 12:45:20 +00001365 }
Googlerec648ff2021-09-23 07:19:53 +00001366
Devin Jeanpierre27450132022-04-11 13:52:01 -07001367 #incomplete_definition
1368
Devin Jeanpierre58181ac2022-02-14 21:30:05 +00001369 #no_unique_address_accessors
1370
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001371 __NEWLINE__ __NEWLINE__
1372 #( #items __NEWLINE__ __NEWLINE__)*
Devin Jeanpierre273eeae2021-10-06 13:29:35 +00001373 };
1374
Lukasz Anforowicz95938f82022-03-24 13:51:54 +00001375 let record_trait_assertions = {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07001376 let record_type_name = RsTypeKind::new_record(record, ir)?.to_token_stream();
Lukasz Anforowicz95938f82022-03-24 13:51:54 +00001377 let mut assertions: Vec<TokenStream> = vec![];
1378 let mut add_assertion = |assert_impl_macro: TokenStream, trait_name: TokenStream| {
1379 assertions.push(quote! {
Lukasz Anforowicz768bba32022-04-11 14:06:13 -07001380 const _: () = { static_assertions::#assert_impl_macro (#record_type_name: #trait_name); };
Lukasz Anforowicz95938f82022-03-24 13:51:54 +00001381 });
1382 };
1383 if should_derive_clone(record) {
1384 add_assertion(quote! { assert_impl_all! }, quote! { Clone });
1385 } else {
1386 // Can't `assert_not_impl_all!` here, because `Clone` may be
1387 // implemented rather than derived.
1388 }
1389 let mut add_conditional_assertion = |should_impl_trait: bool, trait_name: TokenStream| {
1390 let assert_impl_macro = if should_impl_trait {
1391 quote! { assert_impl_all! }
1392 } else {
1393 quote! { assert_not_impl_all! }
1394 };
1395 add_assertion(assert_impl_macro, trait_name);
1396 };
1397 add_conditional_assertion(should_derive_copy(record), quote! { Copy });
1398 add_conditional_assertion(should_implement_drop(record), quote! { Drop });
1399 assertions
1400 };
Michael Forsterdb8101a2021-10-08 06:56:03 +00001401 let assertion_tokens = quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07001402 const _: () = assert!(rust_std::mem::size_of::<#qualified_ident>() == #size);
1403 const _: () = assert!(rust_std::mem::align_of::<#qualified_ident>() == #alignment);
Lukasz Anforowicz95938f82022-03-24 13:51:54 +00001404 #( #record_trait_assertions )*
Lukasz Anforowiczfed64e62022-03-22 22:39:04 +00001405 #( #field_offset_assertions )*
1406 #( #field_copy_trait_assertions )*
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001407 #( #assertions_from_record_items )*
Michael Forsterdb8101a2021-10-08 06:56:03 +00001408 };
1409
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001410 let thunk_tokens = quote! {
1411 #( #thunks_from_record_items )*
1412 };
1413
1414 Ok(GeneratedItem {
1415 item: record_tokens,
1416 features: record_features.union(&assertion_features).cloned().collect(),
1417 assertions: assertion_tokens,
1418 thunks: thunk_tokens,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001419 thunk_impls: quote! {#(#thunk_impls_from_record_items __NEWLINE__ __NEWLINE__)*},
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001420 has_record: true,
1421 })
Marcel Hlopkob4b28742021-09-15 12:45:20 +00001422}
1423
Lukasz Anforowicz2e41bb62022-01-11 18:23:07 +00001424fn should_derive_clone(record: &Record) -> bool {
Lukasz Anforowicz2469a5e2022-06-02 09:44:51 -07001425 if record.is_union {
1426 // `union`s (unlike `struct`s) should only derive `Clone` if they are `Copy`.
1427 should_derive_copy(record)
1428 } else {
Devin Jeanpierre8a4fa202022-06-08 12:33:11 -07001429 record.is_unpin() && record.copy_constructor == SpecialMemberFunc::Trivial
Lukasz Anforowicz2469a5e2022-06-02 09:44:51 -07001430 }
Lukasz Anforowicz2e41bb62022-01-11 18:23:07 +00001431}
1432
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00001433fn should_derive_copy(record: &Record) -> bool {
1434 // TODO(b/202258760): Make `Copy` inclusion configurable.
Lukasz Anforowicz2469a5e2022-06-02 09:44:51 -07001435 record.is_unpin()
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -07001436 && record.copy_constructor == SpecialMemberFunc::Trivial
1437 && record.destructor == ir::SpecialMemberFunc::Trivial
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00001438}
1439
1440fn generate_derives(record: &Record) -> Vec<Ident> {
1441 let mut derives = vec![];
Lukasz Anforowicz2e41bb62022-01-11 18:23:07 +00001442 if should_derive_clone(record) {
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00001443 derives.push(make_rs_ident("Clone"));
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00001444 }
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00001445 if should_derive_copy(record) {
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00001446 derives.push(make_rs_ident("Copy"));
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00001447 }
1448 derives
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00001449}
1450
Teddy Katz76fa42b2022-02-23 01:22:56 +00001451fn generate_enum(enum_: &Enum, ir: &IR) -> Result<TokenStream> {
1452 let name = make_rs_ident(&enum_.identifier.identifier);
Devin Jeanpierre9886fb42022-04-01 04:31:20 -07001453 let underlying_type = format_rs_type(&enum_.underlying_type.rs_type, ir)?;
Teddy Katz76fa42b2022-02-23 01:22:56 +00001454 let enumerator_names =
1455 enum_.enumerators.iter().map(|enumerator| make_rs_ident(&enumerator.identifier.identifier));
1456 let enumerator_values = enum_.enumerators.iter().map(|enumerator| enumerator.value);
1457 Ok(quote! {
1458 #[repr(transparent)]
1459 #[derive(Debug, PartialEq, Eq, Copy, Clone, Hash, PartialOrd, Ord)]
1460 pub struct #name(#underlying_type);
1461 impl #name {
1462 #(pub const #enumerator_names: #name = #name(#enumerator_values);)*
1463 }
1464 impl From<#underlying_type> for #name {
1465 fn from(value: #underlying_type) -> #name {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07001466 #name(value)
Teddy Katz76fa42b2022-02-23 01:22:56 +00001467 }
1468 }
1469 impl From<#name> for #underlying_type {
1470 fn from(value: #name) -> #underlying_type {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07001471 value.0
Teddy Katz76fa42b2022-02-23 01:22:56 +00001472 }
1473 }
1474 })
1475}
1476
Googler6a0a5252022-01-11 14:08:09 +00001477fn generate_type_alias(type_alias: &TypeAlias, ir: &IR) -> Result<TokenStream> {
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00001478 let ident = make_rs_ident(&type_alias.identifier.identifier);
Lukasz Anforowiczc503af42022-03-04 23:18:15 +00001479 let doc_comment = generate_doc_comment(&type_alias.doc_comment);
Devin Jeanpierre9886fb42022-04-01 04:31:20 -07001480 let underlying_type = format_rs_type(&type_alias.underlying_type.rs_type, ir)
Googler6a0a5252022-01-11 14:08:09 +00001481 .with_context(|| format!("Failed to format underlying type for {:?}", type_alias))?;
Lukasz Anforowiczc503af42022-03-04 23:18:15 +00001482 Ok(quote! {
1483 #doc_comment
1484 pub type #ident = #underlying_type;
1485 })
Googler6a0a5252022-01-11 14:08:09 +00001486}
1487
Michael Forster523dbd42021-10-12 11:05:44 +00001488/// Generates Rust source code for a given `UnsupportedItem`.
1489fn generate_unsupported(item: &UnsupportedItem) -> Result<TokenStream> {
Googler48a74dd2021-10-25 07:31:53 +00001490 let location = if item.source_loc.filename.is_empty() {
1491 "<unknown location>".to_string()
1492 } else {
1493 // TODO(forster): The "google3" prefix should probably come from a command line
1494 // argument.
1495 // TODO(forster): Consider linking to the symbol instead of to the line number
1496 // to avoid wrong links while generated files have not caught up.
1497 format!("google3/{};l={}", &item.source_loc.filename, &item.source_loc.line)
1498 };
Michael Forster6a184ad2021-10-12 13:04:05 +00001499 let message = format!(
Googler48a74dd2021-10-25 07:31:53 +00001500 "{}\nError while generating bindings for item '{}':\n{}",
1501 &location, &item.name, &item.message
Michael Forster6a184ad2021-10-12 13:04:05 +00001502 );
Michael Forster523dbd42021-10-12 11:05:44 +00001503 Ok(quote! { __COMMENT__ #message })
1504}
1505
Michael Forsterf1dce422021-10-13 09:50:16 +00001506/// Generates Rust source code for a given `Comment`.
1507fn generate_comment(comment: &Comment) -> Result<TokenStream> {
1508 let text = &comment.text;
1509 Ok(quote! { __COMMENT__ #text })
1510}
1511
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07001512fn generate_namespace(
1513 namespace: &Namespace,
1514 ir: &IR,
1515 overloaded_funcs: &HashSet<FunctionId>,
1516) -> Result<GeneratedItem> {
1517 let mut items = vec![];
1518 let mut thunks = vec![];
1519 let mut assertions = vec![];
1520 let mut has_record = false;
1521 let mut features = BTreeSet::new();
1522
1523 for item_id in namespace.child_item_ids.iter() {
1524 let item = ir.find_decl(*item_id)?;
1525 let generated = generate_item(item, ir, &overloaded_funcs)?;
1526 items.push(generated.item);
1527 if !generated.thunks.is_empty() {
1528 thunks.push(generated.thunks);
1529 }
1530 if !generated.assertions.is_empty() {
1531 assertions.push(generated.assertions);
1532 }
1533 features.extend(generated.features);
1534 has_record = has_record || generated.has_record;
1535 }
1536
Rosica Dejanovska93aeafb2022-06-01 07:05:31 -07001537 let reopened_namespace_idx = ir.get_reopened_namespace_idx(namespace.id)?;
1538 let should_skip_index =
1539 ir.is_last_reopened_namespace(namespace.id, namespace.canonical_namespace_id)?;
1540
1541 let name = if should_skip_index {
1542 make_rs_ident(&namespace.name.identifier)
1543 } else {
1544 make_rs_ident(&format!("{}_{}", &namespace.name.identifier, reopened_namespace_idx))
1545 };
1546
1547 let use_stmt_for_previous_namespace = if reopened_namespace_idx == 0 {
1548 quote! {}
1549 } else {
1550 let previous_namespace_ident = make_rs_ident(&format!(
1551 "{}_{}",
1552 &namespace.name.identifier,
1553 reopened_namespace_idx - 1
1554 ));
1555 quote! { pub use super::#previous_namespace_ident::*; __NEWLINE__ __NEWLINE__ }
1556 };
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07001557
Rosica Dejanovska5d9faaf2022-05-11 04:30:04 -07001558 let thunks_tokens = quote! {
1559 #( #thunks )*
1560 };
1561
1562 let assertions_tokens = quote! {
1563 #( #assertions )*
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07001564 };
1565
1566 let namespace_tokens = quote! {
1567 pub mod #name {
Rosica Dejanovska93aeafb2022-06-01 07:05:31 -07001568 #use_stmt_for_previous_namespace
1569
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07001570 #( #items __NEWLINE__ __NEWLINE__ )*
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07001571 }
1572 };
1573
1574 Ok(GeneratedItem {
1575 item: namespace_tokens,
1576 features: features,
1577 has_record: has_record,
Rosica Dejanovska5d9faaf2022-05-11 04:30:04 -07001578 thunks: thunks_tokens,
1579 assertions: assertions_tokens,
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07001580 ..Default::default()
1581 })
1582}
1583
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001584#[derive(Clone, Debug, Default)]
1585struct GeneratedItem {
1586 item: TokenStream,
1587 thunks: TokenStream,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001588 // C++ source code for helper functions.
1589 thunk_impls: TokenStream,
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001590 assertions: TokenStream,
1591 features: BTreeSet<Ident>,
1592 has_record: bool,
1593}
1594
1595fn generate_item(
1596 item: &Item,
1597 ir: &IR,
1598 overloaded_funcs: &HashSet<FunctionId>,
1599) -> Result<GeneratedItem> {
1600 let generated_item = match item {
Devin Jeanpierred7b48102022-03-31 04:15:03 -07001601 Item::Func(func) => match generate_func(func, ir) {
1602 Err(e) => GeneratedItem {
1603 item: generate_unsupported(&make_unsupported_fn(func, ir, format!("{e}"))?)?,
1604 ..Default::default()
1605 },
1606 Ok(None) => GeneratedItem::default(),
1607 Ok(Some((api_func, thunk, function_id))) => {
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001608 if overloaded_funcs.contains(&function_id) {
1609 GeneratedItem {
1610 item: generate_unsupported(&make_unsupported_fn(
1611 func,
1612 ir,
1613 "Cannot generate bindings for overloaded function",
1614 )?)?,
1615 ..Default::default()
1616 }
1617 } else {
1618 GeneratedItem {
1619 item: api_func.tokens,
1620 thunks: thunk.tokens,
1621 features: api_func.features.union(&thunk.features).cloned().collect(),
1622 ..Default::default()
1623 }
1624 }
1625 }
1626 },
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07001627 Item::IncompleteRecord(incomplete_record) => {
1628 if !ir.is_current_target(&incomplete_record.owning_target)
1629 && !ir.is_stdlib_target(&incomplete_record.owning_target)
1630 {
Devin Jeanpierre090a9872022-04-26 15:19:46 -07001631 GeneratedItem::default()
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07001632 } else {
1633 GeneratedItem {
1634 item: generate_incomplete_record(incomplete_record)?,
1635 ..Default::default()
1636 }
1637 }
1638 }
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001639 Item::Record(record) => {
1640 if !ir.is_current_target(&record.owning_target)
1641 && !ir.is_stdlib_target(&record.owning_target)
1642 {
Devin Jeanpierre090a9872022-04-26 15:19:46 -07001643 GeneratedItem::default()
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001644 } else {
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001645 generate_record(record, ir, overloaded_funcs)?
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001646 }
1647 }
1648 Item::Enum(enum_) => {
1649 if !ir.is_current_target(&enum_.owning_target)
1650 && !ir.is_stdlib_target(&enum_.owning_target)
1651 {
Devin Jeanpierre090a9872022-04-26 15:19:46 -07001652 GeneratedItem::default()
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001653 } else {
1654 GeneratedItem { item: generate_enum(enum_, ir)?, ..Default::default() }
1655 }
1656 }
1657 Item::TypeAlias(type_alias) => {
1658 if !ir.is_current_target(&type_alias.owning_target)
1659 && !ir.is_stdlib_target(&type_alias.owning_target)
1660 {
Devin Jeanpierre090a9872022-04-26 15:19:46 -07001661 GeneratedItem::default()
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001662 } else {
1663 GeneratedItem { item: generate_type_alias(type_alias, ir)?, ..Default::default() }
1664 }
1665 }
1666 Item::UnsupportedItem(unsupported) => {
1667 GeneratedItem { item: generate_unsupported(unsupported)?, ..Default::default() }
1668 }
1669 Item::Comment(comment) => {
1670 GeneratedItem { item: generate_comment(comment)?, ..Default::default() }
1671 }
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07001672 Item::Namespace(namespace) => generate_namespace(namespace, ir, overloaded_funcs)?,
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001673 };
1674
1675 Ok(generated_item)
1676}
1677
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001678// Returns the Rust code implementing bindings, plus any auxiliary C++ code
1679// needed to support it.
Lukasz Anforowiczdd907702022-05-06 09:24:07 -07001680fn generate_bindings_tokens(ir: &IR, crubit_support_path: &str) -> Result<BindingsTokens> {
Michael Forstered642022021-10-04 09:48:25 +00001681 let mut items = vec![];
Marcel Hlopko42abfc82021-08-09 07:03:17 +00001682 let mut thunks = vec![];
Lukasz Anforowiczdd907702022-05-06 09:24:07 -07001683 let mut thunk_impls = vec![generate_rs_api_impl(ir, crubit_support_path)?];
Michael Forsterdb8101a2021-10-08 06:56:03 +00001684 let mut assertions = vec![];
Marcel Hlopko42abfc82021-08-09 07:03:17 +00001685
Googler454f2652021-12-06 12:53:12 +00001686 // We import nullable pointers as an Option<&T> and assume that at the ABI
1687 // level, None is represented as a zero pointer value whereas Some is
1688 // represented as as non-zero pointer value. This seems like a pretty safe
1689 // assumption to make, but to provide some safeguard, assert that
1690 // `Option<&i32>` and `&i32` have the same size.
1691 assertions.push(quote! {
Rosica Dejanovskaaccf00b2022-04-01 13:28:04 -07001692 const _: () = assert!(rust_std::mem::size_of::<Option<&i32>>() == rust_std::mem::size_of::<&i32>());
Googler454f2652021-12-06 12:53:12 +00001693 });
1694
Michael Forsterbee84482021-10-13 08:35:38 +00001695 // TODO(jeanpierreda): Delete has_record, either in favor of using RsSnippet, or not
1696 // having uses. See https://chat.google.com/room/AAAAnQmj8Qs/6QbkSvWcfhA
Devin Jeanpierreea700d32021-10-06 11:33:56 +00001697 let mut has_record = false;
Devin Jeanpierre273eeae2021-10-06 13:29:35 +00001698 let mut features = BTreeSet::new();
Marcel Hlopko42abfc82021-08-09 07:03:17 +00001699
Lukasz Anforowicz72c4d222022-02-18 19:07:28 +00001700 // For #![rustfmt::skip].
1701 features.insert(make_rs_ident("custom_inner_attributes"));
1702
Googlerd03d05b2022-01-07 10:10:57 +00001703 // Identify all functions having overloads that we can't import (yet).
1704 // TODO(b/213280424): Implement support for overloaded functions.
1705 let mut seen_funcs = HashSet::new();
1706 let mut overloaded_funcs = HashSet::new();
1707 for func in ir.functions() {
Devin Jeanpierred7b48102022-03-31 04:15:03 -07001708 if let Ok(Some((.., function_id))) = generate_func(func, ir) {
Googlerd03d05b2022-01-07 10:10:57 +00001709 if !seen_funcs.insert(function_id.clone()) {
1710 overloaded_funcs.insert(function_id);
1711 }
1712 }
1713 }
1714
Rosica Dejanovskab2bd59e2022-04-11 09:02:03 -07001715 for top_level_item_id in ir.top_level_item_ids() {
1716 let item = ir.find_decl(*top_level_item_id)?;
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001717 let generated = generate_item(item, ir, &overloaded_funcs)?;
1718 items.push(generated.item);
Devin Jeanpierreb5ba1402022-03-29 07:29:24 -07001719 if !generated.thunks.is_empty() {
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001720 thunks.push(generated.thunks);
Michael Forstered642022021-10-04 09:48:25 +00001721 }
Devin Jeanpierreb5ba1402022-03-29 07:29:24 -07001722 if !generated.assertions.is_empty() {
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001723 assertions.push(generated.assertions);
1724 }
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001725 if !generated.thunk_impls.is_empty() {
1726 thunk_impls.push(generated.thunk_impls);
1727 }
Rosica Dejanovska8da8f792022-03-29 02:02:22 -07001728 features.extend(generated.features);
1729 has_record = has_record || generated.has_record;
Marcel Hlopko42abfc82021-08-09 07:03:17 +00001730 }
1731
Marcel Hlopkob4b28742021-09-15 12:45:20 +00001732 let mod_detail = if thunks.is_empty() {
1733 quote! {}
1734 } else {
1735 quote! {
1736 mod detail {
Googler55647142022-01-11 12:37:39 +00001737 #[allow(unused_imports)]
Devin Jeanpierred4dde0e2021-10-13 20:48:25 +00001738 use super::*;
Marcel Hlopkob4b28742021-09-15 12:45:20 +00001739 extern "C" {
1740 #( #thunks )*
1741 }
Marcel Hlopko42abfc82021-08-09 07:03:17 +00001742 }
1743 }
1744 };
1745
Rosica Dejanovskaaccf00b2022-04-01 13:28:04 -07001746 // TODO(b/227790881): Replace usage of rust_std with ::std once the issue
1747 // is fixed.
Devin Jeanpierreea700d32021-10-06 11:33:56 +00001748 let imports = if has_record {
Googlerec648ff2021-09-23 07:19:53 +00001749 quote! {
Rosica Dejanovskabbed2012022-04-05 04:06:30 -07001750 use ::std as rust_std;
Googlerec648ff2021-09-23 07:19:53 +00001751 }
Michael Forstered642022021-10-04 09:48:25 +00001752 } else {
Rosica Dejanovskaaccf00b2022-04-01 13:28:04 -07001753 quote! {
Rosica Dejanovskabbed2012022-04-05 04:06:30 -07001754 use ::std as rust_std;
Rosica Dejanovskaaccf00b2022-04-01 13:28:04 -07001755 }
Googlerec648ff2021-09-23 07:19:53 +00001756 };
1757
Devin Jeanpierre273eeae2021-10-06 13:29:35 +00001758 let features = if features.is_empty() {
1759 quote! {}
1760 } else {
1761 quote! {
1762 #![feature( #(#features),* )]
1763 }
1764 };
1765
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001766 Ok(BindingsTokens {
1767 rs_api: quote! {
1768 #features __NEWLINE__
1769 #![allow(non_camel_case_types)] __NEWLINE__
Lukasz Anforowicz945919c2022-05-12 13:08:47 -07001770 #![allow(non_snake_case)] __NEWLINE__
Lukasz Anforowiczcc262632022-05-12 15:07:43 -07001771 #![allow(non_upper_case_globals)] __NEWLINE__
1772 #![deny(warnings)] __NEWLINE__ __NEWLINE__
Googler55647142022-01-11 12:37:39 +00001773
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001774 #imports __NEWLINE__ __NEWLINE__
Googlerec648ff2021-09-23 07:19:53 +00001775
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001776 #( #items __NEWLINE__ __NEWLINE__ )*
Marcel Hlopkob4b28742021-09-15 12:45:20 +00001777
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001778 #mod_detail __NEWLINE__ __NEWLINE__
Michael Forsterdb8101a2021-10-08 06:56:03 +00001779
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07001780 #( #assertions __NEWLINE__ __NEWLINE__ )*
1781 },
1782 rs_api_impl: quote! {#(#thunk_impls __NEWLINE__ __NEWLINE__ )*},
Marcel Hlopko89547752021-12-10 09:39:41 +00001783 })
Marcel Hlopko42abfc82021-08-09 07:03:17 +00001784}
1785
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00001786/// Makes an 'Ident' to be used in the Rust source code. Escapes Rust keywords.
1787fn make_rs_ident(ident: &str) -> Ident {
1788 // TODO(https://github.com/dtolnay/syn/pull/1098): Remove the hardcoded list once syn recognizes
1789 // 2018 and 2021 keywords.
1790 if ["async", "await", "try", "dyn"].contains(&ident) {
1791 return format_ident!("r#{}", ident);
1792 }
1793 match syn::parse_str::<syn::Ident>(ident) {
1794 Ok(_) => format_ident!("{}", ident),
1795 Err(_) => format_ident!("r#{}", ident),
1796 }
1797}
1798
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00001799/// Formats a C++ identifier. Does not escape C++ keywords.
1800fn format_cc_ident(ident: &str) -> TokenStream {
1801 ident.parse().unwrap()
Marcel Hlopko42abfc82021-08-09 07:03:17 +00001802}
1803
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001804/// Returns Some(crate_ident) if this is an imported crate.
1805fn rs_imported_crate_name(owning_target: &BazelLabel, ir: &IR) -> Option<Ident> {
Googler6a0a5252022-01-11 14:08:09 +00001806 if ir.is_current_target(owning_target) || ir.is_stdlib_target(owning_target) {
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001807 None
Googler6a0a5252022-01-11 14:08:09 +00001808 } else {
Devin Jeanpierre084ebbd2022-04-01 04:32:46 -07001809 let owning_crate_name = owning_target.target_name();
Marcel Hlopkod906b892022-01-27 08:52:36 +00001810 // TODO(b/216587072): Remove this hacky escaping and use the import! macro once
1811 // available
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +00001812 let escaped_owning_crate_name = owning_crate_name.replace('-', "_");
Marcel Hlopkod906b892022-01-27 08:52:36 +00001813 let owning_crate = make_rs_ident(&escaped_owning_crate_name);
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001814 Some(owning_crate)
Googler6a0a5252022-01-11 14:08:09 +00001815 }
1816}
1817
Devin Jeanpierre103cbb52022-04-06 12:55:16 -07001818#[derive(Copy, Clone, Debug, Eq, PartialEq)]
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001819enum Mutability {
1820 Const,
1821 Mut,
1822}
1823
1824impl Mutability {
1825 fn format_for_pointer(&self) -> TokenStream {
1826 match self {
1827 Mutability::Mut => quote! {mut},
1828 Mutability::Const => quote! {const},
1829 }
1830 }
1831
1832 fn format_for_reference(&self) -> TokenStream {
1833 match self {
1834 Mutability::Mut => quote! {mut},
1835 Mutability::Const => quote! {},
1836 }
1837 }
1838}
1839
1840// TODO(b/213947473): Instead of having a separate RsTypeKind here, consider
1841// changing ir::RsType into a similar `enum`, with fields that contain
Rosica Dejanovskad638cf52022-03-23 15:45:01 +00001842// references (e.g. &'ir Record`) instead of ItemIds.
Devin Jeanpierre103cbb52022-04-06 12:55:16 -07001843#[derive(Clone, Debug)]
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001844enum RsTypeKind<'ir> {
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001845 Pointer {
1846 pointee: Box<RsTypeKind<'ir>>,
1847 mutability: Mutability,
1848 },
1849 Reference {
1850 referent: Box<RsTypeKind<'ir>>,
1851 mutability: Mutability,
Marcel Hlopkoaf682a02022-04-08 07:27:14 -07001852 lifetime: LifetimeName,
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001853 },
1854 RvalueReference {
1855 referent: Box<RsTypeKind<'ir>>,
1856 mutability: Mutability,
Marcel Hlopkoaf682a02022-04-08 07:27:14 -07001857 lifetime: LifetimeName,
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001858 },
1859 FuncPtr {
1860 abi: &'ir str,
1861 return_type: Box<RsTypeKind<'ir>>,
1862 param_types: Vec<RsTypeKind<'ir>>,
1863 },
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07001864 /// An incomplete record type.
1865 IncompleteRecord {
1866 incomplete_record: &'ir IncompleteRecord,
1867
1868 /// The imported crate this comes from, or None if the current crate.
1869 crate_ident: Option<Ident>,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07001870 /// The namespace qualifier for this record.
1871 namespace_qualifier: Vec<Ident>,
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07001872 },
1873 /// A complete record type.
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001874 Record {
1875 record: &'ir Record,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07001876 /// The namespace qualifier for this record.
1877 namespace_qualifier: Vec<Ident>,
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001878 /// The imported crate this comes from, or None if the current crate.
1879 crate_ident: Option<Ident>,
1880 },
1881 TypeAlias {
1882 type_alias: &'ir TypeAlias,
1883 underlying_type: Box<RsTypeKind<'ir>>,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07001884 /// The namespace qualifier for this alias.
1885 namespace_qualifier: Vec<Ident>,
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001886 /// The imported crate this comes from, or None if the current crate.
1887 crate_ident: Option<Ident>,
1888 },
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001889 Unit,
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001890 Other {
1891 name: &'ir str,
1892 type_args: Vec<RsTypeKind<'ir>>,
1893 },
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001894}
1895
1896impl<'ir> RsTypeKind<'ir> {
1897 pub fn new(ty: &'ir ir::RsType, ir: &'ir IR) -> Result<Self> {
1898 // The lambdas deduplicate code needed by multiple `match` branches.
1899 let get_type_args = || -> Result<Vec<RsTypeKind<'ir>>> {
1900 ty.type_args.iter().map(|type_arg| RsTypeKind::<'ir>::new(type_arg, ir)).collect()
1901 };
1902 let get_pointee = || -> Result<Box<RsTypeKind<'ir>>> {
1903 if ty.type_args.len() != 1 {
1904 bail!("Missing pointee/referent type (need exactly 1 type argument): {:?}", ty);
1905 }
1906 Ok(Box::new(get_type_args()?.remove(0)))
1907 };
Marcel Hlopkoaf682a02022-04-08 07:27:14 -07001908 let get_lifetime = || -> Result<LifetimeName> {
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001909 if ty.lifetime_args.len() != 1 {
1910 bail!("Missing reference lifetime (need exactly 1 lifetime argument): {:?}", ty);
1911 }
Devin Jeanpierred2b7a8f2022-04-01 04:37:16 -07001912 let lifetime_id = ty.lifetime_args[0];
1913 ir.get_lifetime(lifetime_id)
1914 .ok_or_else(|| anyhow!("no known lifetime with id {lifetime_id:?}"))
1915 .cloned()
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001916 };
1917
1918 let result = match ty.name.as_deref() {
1919 None => {
1920 ensure!(
1921 ty.type_args.is_empty(),
1922 "Type arguments on records nor type aliases are not yet supported: {:?}",
1923 ty
1924 );
1925 match ir.item_for_type(ty)? {
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07001926 Item::IncompleteRecord(incomplete_record) => RsTypeKind::IncompleteRecord {
1927 incomplete_record,
Marcel Hlopko36234892022-05-10 00:39:54 -07001928 namespace_qualifier: generate_namespace_qualifier(
1929 incomplete_record.id,
1930 ir,
1931 )?
1932 .collect_vec(),
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07001933 crate_ident: rs_imported_crate_name(&incomplete_record.owning_target, ir),
1934 },
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07001935 Item::Record(record) => RsTypeKind::new_record(record, ir)?,
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00001936 Item::TypeAlias(type_alias) => RsTypeKind::TypeAlias {
1937 type_alias,
Marcel Hlopko36234892022-05-10 00:39:54 -07001938 namespace_qualifier: generate_namespace_qualifier(type_alias.id, ir)?
1939 .collect_vec(),
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07001940 crate_ident: rs_imported_crate_name(&type_alias.owning_target, ir),
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00001941 underlying_type: Box::new(RsTypeKind::new(
1942 &type_alias.underlying_type.rs_type,
1943 ir,
1944 )?),
1945 },
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001946 other_item => bail!("Item does not define a type: {:?}", other_item),
1947 }
1948 }
1949 Some(name) => match name {
1950 "()" => {
1951 if !ty.type_args.is_empty() {
1952 bail!("Unit type must not have type arguments: {:?}", ty);
1953 }
1954 RsTypeKind::Unit
1955 }
1956 "*mut" => {
1957 RsTypeKind::Pointer { pointee: get_pointee()?, mutability: Mutability::Mut }
1958 }
1959 "*const" => {
1960 RsTypeKind::Pointer { pointee: get_pointee()?, mutability: Mutability::Const }
1961 }
1962 "&mut" => RsTypeKind::Reference {
1963 referent: get_pointee()?,
1964 mutability: Mutability::Mut,
Devin Jeanpierred2b7a8f2022-04-01 04:37:16 -07001965 lifetime: get_lifetime()?,
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001966 },
1967 "&" => RsTypeKind::Reference {
1968 referent: get_pointee()?,
1969 mutability: Mutability::Const,
Devin Jeanpierred2b7a8f2022-04-01 04:37:16 -07001970 lifetime: get_lifetime()?,
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001971 },
Devin Jeanpierredeea7892022-03-29 02:13:31 -07001972 "#RvalueReference mut" => RsTypeKind::RvalueReference {
1973 referent: get_pointee()?,
1974 mutability: Mutability::Mut,
Devin Jeanpierred2b7a8f2022-04-01 04:37:16 -07001975 lifetime: get_lifetime()?,
Devin Jeanpierredeea7892022-03-29 02:13:31 -07001976 },
1977 "#RvalueReference const" => RsTypeKind::RvalueReference {
1978 referent: get_pointee()?,
1979 mutability: Mutability::Const,
Devin Jeanpierred2b7a8f2022-04-01 04:37:16 -07001980 lifetime: get_lifetime()?,
Devin Jeanpierredeea7892022-03-29 02:13:31 -07001981 },
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00001982 name => {
1983 let mut type_args = get_type_args()?;
1984 match name.strip_prefix("#funcPtr ") {
1985 None => RsTypeKind::Other { name, type_args },
1986 Some(abi) => {
1987 // TODO(b/217419782): Consider enforcing `'static` lifetime.
1988 ensure!(!type_args.is_empty(), "No return type in fn type: {:?}", ty);
1989 RsTypeKind::FuncPtr {
1990 abi,
1991 return_type: Box::new(type_args.remove(type_args.len() - 1)),
1992 param_types: type_args,
1993 }
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +00001994 }
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00001995 }
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +00001996 }
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00001997 },
1998 };
1999 Ok(result)
2000 }
2001
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002002 pub fn new_record(record: &'ir Record, ir: &'ir IR) -> Result<Self> {
2003 Ok(RsTypeKind::Record {
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07002004 record,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002005 namespace_qualifier: generate_namespace_qualifier(record.id, ir)?.collect_vec(),
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07002006 crate_ident: rs_imported_crate_name(&record.owning_target, ir),
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002007 })
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07002008 }
2009
Devin Jeanpierre149950d2022-02-22 21:02:02 +00002010 /// Returns true if the type is known to be `Unpin`, false otherwise.
Devin Jeanpierref85ae592022-04-01 04:33:57 -07002011 pub fn is_unpin(&self) -> bool {
Devin Jeanpierre149950d2022-02-22 21:02:02 +00002012 match self {
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07002013 RsTypeKind::IncompleteRecord { .. } => false,
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07002014 RsTypeKind::Record { record, .. } => record.is_unpin(),
Devin Jeanpierref85ae592022-04-01 04:33:57 -07002015 RsTypeKind::TypeAlias { underlying_type, .. } => underlying_type.is_unpin(),
Devin Jeanpierre149950d2022-02-22 21:02:02 +00002016 _ => true,
2017 }
2018 }
2019
Devin Jeanpierre82e8e362022-04-05 11:04:55 -07002020 pub fn format_as_return_type_fragment(&self) -> TokenStream {
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00002021 match self {
Devin Jeanpierred2b7a8f2022-04-01 04:37:16 -07002022 RsTypeKind::Unit => quote! {},
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00002023 other_type => {
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07002024 quote! { -> #other_type }
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00002025 }
2026 }
2027 }
2028
Lukasz Anforowiczcde4b1b2022-02-03 21:20:55 +00002029 /// Formats this RsTypeKind as `&'a mut MaybeUninit<SomeStruct>`. This is
2030 /// used to format `__this` parameter in a constructor thunk.
Devin Jeanpierre82e8e362022-04-05 11:04:55 -07002031 pub fn format_mut_ref_as_uninitialized(&self) -> Result<TokenStream> {
Lukasz Anforowiczcde4b1b2022-02-03 21:20:55 +00002032 match self {
Devin Jeanpierred2b7a8f2022-04-01 04:37:16 -07002033 RsTypeKind::Reference { referent, lifetime, mutability: Mutability::Mut } => {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07002034 Ok(quote! { & #lifetime mut crate::rust_std::mem::MaybeUninit< #referent > })
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00002035 }
Devin Jeanpierre149950d2022-02-22 21:02:02 +00002036 _ => bail!("Expected reference to format as MaybeUninit, got: {:?}", self),
Lukasz Anforowiczcde4b1b2022-02-03 21:20:55 +00002037 }
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00002038 }
2039
Devin Jeanpierre149950d2022-02-22 21:02:02 +00002040 /// Formats this RsTypeKind as the `self` parameter: usually, `&'a self` or
2041 /// `&'a mut self`.
2042 ///
2043 /// If this is !Unpin, however, it uses `self: Pin<&mut Self>` instead.
Devin Jeanpierre108e9c02022-06-02 07:10:09 -07002044 pub fn format_as_self_param(&self) -> Result<TokenStream> {
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07002045 let referent;
2046 let mutability;
2047 let lifetime;
2048 match self {
Devin Jeanpierre108e9c02022-06-02 07:10:09 -07002049 RsTypeKind::Pointer { .. } => {
Devin Jeanpierre8a4fa202022-06-08 12:33:11 -07002050 // TODO(jeanpierreda): provide end-user-facing docs, and insert a link to e.g.
2051 // something like <internal link>
2052 bail!(
2053 "`self` has no lifetime. Use lifetime annotations or `#pragma clang lifetime_elision` to create bindings for this function."
2054 )
Lukasz Anforowicz732ca642022-02-03 20:58:38 +00002055 }
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07002056 RsTypeKind::Reference {
2057 referent: reference_pointee,
2058 lifetime: reference_lifetime,
2059 mutability: reference_mutability,
2060 } => {
2061 referent = reference_pointee;
2062 mutability = reference_mutability;
Devin Jeanpierrea68fdbc2022-05-27 04:16:36 -07002063 lifetime = quote! {#reference_lifetime};
Lukasz Anforowicz231a3bb2022-01-12 14:05:59 +00002064 }
Lukasz Anforowicz732ca642022-02-03 20:58:38 +00002065 _ => bail!("Unexpected type of `self` parameter: {:?}", self),
Lukasz Anforowicz231a3bb2022-01-12 14:05:59 +00002066 }
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07002067 let mut_ = mutability.format_for_reference();
2068 if mutability == &Mutability::Mut && !referent.is_unpin() {
2069 // TODO(b/200067242): Add a `use rust_std::pin::Pin` to the crate, and use
2070 // `Pin`.
2071 Ok(quote! {self: crate::rust_std::pin::Pin< & #lifetime #mut_ Self>})
2072 } else {
2073 Ok(quote! { & #lifetime #mut_ self })
2074 }
Lukasz Anforowicz231a3bb2022-01-12 14:05:59 +00002075 }
2076
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00002077 /// Returns whether the type represented by `self` implements the `Copy`
2078 /// trait.
Lukasz Anforowicza94ab702022-01-14 22:40:25 +00002079 pub fn implements_copy(&self) -> bool {
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00002080 // TODO(b/212696226): Verify results of `implements_copy` via static
2081 // assertions in the generated Rust code (because incorrect results
2082 // can silently lead to unsafe behavior).
2083 match self {
2084 RsTypeKind::Unit => true,
2085 RsTypeKind::Pointer { .. } => true,
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00002086 RsTypeKind::FuncPtr { .. } => true,
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00002087 RsTypeKind::Reference { mutability: Mutability::Const, .. } => true,
2088 RsTypeKind::Reference { mutability: Mutability::Mut, .. } => false,
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002089 RsTypeKind::RvalueReference { .. } => false,
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07002090 RsTypeKind::IncompleteRecord { .. } => false,
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07002091 RsTypeKind::Record { record, .. } => should_derive_copy(record),
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00002092 RsTypeKind::TypeAlias { underlying_type, .. } => underlying_type.implements_copy(),
Lukasz Anforowiczd81bea92022-02-11 08:57:58 +00002093 RsTypeKind::Other { type_args, .. } => {
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00002094 // All types that may appear here without `type_args` (e.g.
2095 // primitive types like `i32`) implement `Copy`. Generic types
2096 // that may be present here (e.g. Option<...>) are `Copy` if all
2097 // of their `type_args` are `Copy`.
2098 type_args.iter().all(|t| t.implements_copy())
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00002099 }
2100 }
2101 }
Lukasz Anforowicza94ab702022-01-14 22:40:25 +00002102
Lukasz Anforowiczf9564622022-01-28 14:31:04 +00002103 pub fn is_ref_to(&self, expected_record: &Record) -> bool {
2104 match self {
2105 RsTypeKind::Reference { referent, .. } => referent.is_record(expected_record),
2106 _ => false,
2107 }
2108 }
2109
Lukasz Anforowicza94ab702022-01-14 22:40:25 +00002110 pub fn is_shared_ref_to(&self, expected_record: &Record) -> bool {
2111 match self {
2112 RsTypeKind::Reference { referent, mutability: Mutability::Const, .. } => {
Lukasz Anforowiczf9564622022-01-28 14:31:04 +00002113 referent.is_record(expected_record)
Lukasz Anforowicza94ab702022-01-14 22:40:25 +00002114 }
2115 _ => false,
2116 }
2117 }
Lukasz Anforowiczf9564622022-01-28 14:31:04 +00002118
2119 pub fn is_record(&self, expected_record: &Record) -> bool {
2120 match self {
Devin Jeanpierrefec5bfe2022-04-05 10:59:10 -07002121 RsTypeKind::Record { record: actual_record, .. } => {
2122 actual_record.id == expected_record.id
2123 }
Lukasz Anforowiczf9564622022-01-28 14:31:04 +00002124 _ => false,
2125 }
2126 }
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00002127
2128 /// Iterates over `self` and all the nested types (e.g. pointees, generic
2129 /// type args, etc.) in DFS order.
2130 pub fn dfs_iter<'ty>(&'ty self) -> impl Iterator<Item = &'ty RsTypeKind<'ir>> + '_ {
2131 RsTypeKindIter::new(self)
2132 }
2133
2134 /// Iterates over all `LifetimeId`s in `self` and in all the nested types.
2135 /// Note that the results might contain duplicate LifetimeId values (e.g.
2136 /// if the same LifetimeId is used in two `type_args`).
2137 pub fn lifetimes(&self) -> impl Iterator<Item = LifetimeId> + '_ {
2138 self.dfs_iter().filter_map(|t| match t {
Devin Jeanpierred2b7a8f2022-04-01 04:37:16 -07002139 RsTypeKind::Reference { lifetime, .. } => Some(lifetime.id),
Devin Jeanpierre48cb5bc2022-06-02 00:50:43 -07002140 RsTypeKind::RvalueReference { lifetime, .. } => Some(lifetime.id),
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00002141 _ => None,
2142 })
2143 }
2144}
2145
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07002146impl<'ir> ToTokens for RsTypeKind<'ir> {
2147 fn to_tokens(&self, tokens: &mut TokenStream) {
2148 self.to_token_stream().to_tokens(tokens)
2149 }
2150
2151 fn to_token_stream(&self) -> TokenStream {
2152 match self {
2153 RsTypeKind::Pointer { pointee, mutability } => {
2154 let mutability = mutability.format_for_pointer();
2155 quote! {* #mutability #pointee}
2156 }
2157 RsTypeKind::Reference { referent, mutability, lifetime } => {
2158 let mut_ = mutability.format_for_reference();
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07002159 let reference = quote! {& #lifetime #mut_ #referent};
2160 if mutability == &Mutability::Mut && !referent.is_unpin() {
2161 // TODO(b/200067242): Add a `use rust_std::pin::Pin` to the crate, and use
2162 // `Pin`. This either requires deciding how to qualify pin at
2163 // RsTypeKind-creation time, or returning an RsSnippet from here (and not
2164 // implementing ToTokens, but instead some other interface.)
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07002165 quote! {crate::rust_std::pin::Pin< #reference >}
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07002166 } else {
2167 reference
2168 }
2169 }
2170 RsTypeKind::RvalueReference { referent, mutability, lifetime } => {
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07002171 // TODO(b/200067242): Add a `use ctor::RvalueReference` (etc.) to the crate.
2172 if mutability == &Mutability::Mut {
2173 quote! {ctor::RvalueReference<#lifetime, #referent>}
2174 } else {
2175 quote! {ctor::ConstRvalueReference<#lifetime, #referent>}
2176 }
2177 }
2178 RsTypeKind::FuncPtr { abi, return_type, param_types } => {
2179 let return_frag = return_type.format_as_return_type_fragment();
2180 quote! { extern #abi fn( #( #param_types ),* ) #return_frag }
2181 }
Marcel Hlopko36234892022-05-10 00:39:54 -07002182 RsTypeKind::IncompleteRecord {
2183 incomplete_record,
2184 namespace_qualifier,
2185 crate_ident,
2186 } => {
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07002187 let record_ident = make_rs_ident(&incomplete_record.cc_name);
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002188 let namespace_idents = namespace_qualifier.iter();
2189 match crate_ident {
2190 Some(ci) => {
Marcel Hlopko36234892022-05-10 00:39:54 -07002191 quote! { #ci #(#namespace_idents::)* #record_ident }
2192 }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002193 None => {
Marcel Hlopko36234892022-05-10 00:39:54 -07002194 quote! { crate:: #(#namespace_idents::)* #record_ident }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002195 }
2196 }
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07002197 }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002198 RsTypeKind::Record { record, namespace_qualifier, crate_ident } => {
2199 let ident = make_rs_ident(&record.rs_name);
2200 let namespace_idents = namespace_qualifier.iter();
2201 match crate_ident {
2202 Some(ci) => {
Marcel Hlopko36234892022-05-10 00:39:54 -07002203 quote! { #ci:: #(#namespace_idents::)* #ident }
2204 }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002205 None => {
Marcel Hlopko36234892022-05-10 00:39:54 -07002206 quote! { crate:: #(#namespace_idents::)* #ident }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002207 }
2208 }
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07002209 }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002210 RsTypeKind::TypeAlias { type_alias, namespace_qualifier, crate_ident, .. } => {
2211 let ident = make_rs_ident(&type_alias.identifier.identifier);
2212 let namespace_idents = namespace_qualifier.iter();
2213 match crate_ident {
2214 Some(ci) => {
Marcel Hlopko36234892022-05-10 00:39:54 -07002215 quote! { #ci:: #(#namespace_idents::)* #ident }
2216 }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002217 None => {
Marcel Hlopko36234892022-05-10 00:39:54 -07002218 quote! { crate:: #(#namespace_idents::)* #ident }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002219 }
2220 }
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07002221 }
2222 RsTypeKind::Unit => quote! {()},
2223 RsTypeKind::Other { name, type_args } => {
2224 let ident = make_rs_ident(name);
2225 let generic_params = format_generic_params(type_args);
2226 quote! {#ident #generic_params}
2227 }
2228 }
2229 }
2230}
2231
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00002232struct RsTypeKindIter<'ty, 'ir> {
2233 todo: Vec<&'ty RsTypeKind<'ir>>,
2234}
2235
2236impl<'ty, 'ir> RsTypeKindIter<'ty, 'ir> {
2237 pub fn new(ty: &'ty RsTypeKind<'ir>) -> Self {
2238 Self { todo: vec![ty] }
2239 }
2240}
2241
2242impl<'ty, 'ir> Iterator for RsTypeKindIter<'ty, 'ir> {
2243 type Item = &'ty RsTypeKind<'ir>;
2244
2245 fn next(&mut self) -> Option<Self::Item> {
2246 match self.todo.pop() {
2247 None => None,
2248 Some(curr) => {
2249 match curr {
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07002250 RsTypeKind::Unit
2251 | RsTypeKind::IncompleteRecord { .. }
2252 | RsTypeKind::Record { .. } => {}
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00002253 RsTypeKind::Pointer { pointee, .. } => self.todo.push(pointee),
2254 RsTypeKind::Reference { referent, .. } => self.todo.push(referent),
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002255 RsTypeKind::RvalueReference { referent, .. } => self.todo.push(referent),
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00002256 RsTypeKind::TypeAlias { underlying_type: t, .. } => self.todo.push(t),
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00002257 RsTypeKind::FuncPtr { return_type, param_types, .. } => {
2258 self.todo.push(return_type);
2259 self.todo.extend(param_types.iter().rev());
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +00002260 }
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00002261 RsTypeKind::Other { type_args, .. } => self.todo.extend(type_args.iter().rev()),
2262 };
2263 Some(curr)
2264 }
2265 }
2266 }
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00002267}
2268
Devin Jeanpierre9886fb42022-04-01 04:31:20 -07002269fn format_rs_type(ty: &ir::RsType, ir: &IR) -> Result<TokenStream> {
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00002270 RsTypeKind::new(ty, ir)
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07002271 .map(|kind| kind.to_token_stream())
Lukasz Anforowicz40c2eb82022-01-11 18:22:31 +00002272 .with_context(|| format!("Failed to format Rust type {:?}", ty))
Devin Jeanpierre7a7328e2021-09-17 07:10:08 +00002273}
2274
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002275fn cc_type_name_for_item(item: &ir::Item, ir: &IR) -> Result<TokenStream> {
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +00002276 Ok(match item {
Lukasz Anforowicz4c3a2cc2022-03-11 00:24:49 +00002277 Item::Record(record) => {
2278 let ident = format_cc_ident(&record.cc_name);
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002279 let namespace_qualifier = generate_namespace_qualifier(record.id, ir)?;
Marcel Hlopko4c29c6f2022-05-04 00:49:14 -07002280 let tag_kind = tag_kind(record);
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002281 quote! { #tag_kind #(#namespace_qualifier::)* #ident }
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +00002282 }
Lukasz Anforowicz4c3a2cc2022-03-11 00:24:49 +00002283 Item::TypeAlias(type_alias) => {
2284 let ident = format_cc_ident(&type_alias.identifier.identifier);
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002285 let namespace_qualifier = generate_namespace_qualifier(type_alias.id, ir)?;
2286 quote! { #(#namespace_qualifier::)* #ident }
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +00002287 }
Googler6a0a5252022-01-11 14:08:09 +00002288 _ => bail!("Item does not define a type: {:?}", item),
Lukasz Anforowicz4c3a2cc2022-03-11 00:24:49 +00002289 })
Googler6a0a5252022-01-11 14:08:09 +00002290}
2291
Marcel Hlopko4c29c6f2022-05-04 00:49:14 -07002292fn tag_kind(record: &ir::Record) -> TokenStream {
2293 if record.is_union {
2294 quote! { union }
2295 } else {
2296 quote! { class }
2297 }
2298}
2299
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00002300// Maps a Rust ABI [1] into a Clang attribute. See also
2301// `ConvertCcCallConvIntoRsApi` in importer.cc.
2302// [1]
2303// https://doc.rust-lang.org/reference/items/functions.html#extern-function-qualifier
2304fn format_cc_call_conv_as_clang_attribute(rs_abi: &str) -> Result<TokenStream> {
2305 match rs_abi {
2306 "cdecl" => Ok(quote! {}),
2307 "fastcall" => Ok(quote! { __attribute__((fastcall)) }),
2308 "stdcall" => Ok(quote! { __attribute__((stdcall)) }),
2309 "thiscall" => Ok(quote! { __attribute__((thiscall)) }),
2310 "vectorcall" => Ok(quote! { __attribute__((vectorcall)) }),
2311 _ => bail!("Unsupported ABI: {}", rs_abi),
2312 }
2313}
2314
Marcel Hlopkoc0956cf2021-11-29 08:31:28 +00002315fn format_cc_type(ty: &ir::CcType, ir: &IR) -> Result<TokenStream> {
Devin Jeanpierre09c6f452021-09-29 07:34:24 +00002316 let const_fragment = if ty.is_const {
Devin Jeanpierre184f9ac2021-09-17 13:47:03 +00002317 quote! {const}
2318 } else {
2319 quote! {}
2320 };
Marcel Hlopkoc0956cf2021-11-29 08:31:28 +00002321 if let Some(ref name) = ty.name {
2322 match name.as_str() {
2323 "*" => {
Googlerff7fc232021-12-02 09:43:00 +00002324 if ty.type_args.len() != 1 {
2325 bail!("Invalid pointer type (need exactly 1 type argument): {:?}", ty);
Marcel Hlopkoc0956cf2021-11-29 08:31:28 +00002326 }
Googlerff7fc232021-12-02 09:43:00 +00002327 assert_eq!(ty.type_args.len(), 1);
2328 let nested_type = format_cc_type(&ty.type_args[0], ir)?;
Marcel Hlopkoc0956cf2021-11-29 08:31:28 +00002329 Ok(quote! {#nested_type * #const_fragment})
Devin Jeanpierre7a7328e2021-09-17 07:10:08 +00002330 }
Lukasz Anforowicz275fa922022-01-05 16:13:20 +00002331 "&" => {
2332 if ty.type_args.len() != 1 {
2333 bail!("Invalid reference type (need exactly 1 type argument): {:?}", ty);
2334 }
2335 let nested_type = format_cc_type(&ty.type_args[0], ir)?;
2336 Ok(quote! {#nested_type &})
2337 }
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002338 "&&" => {
2339 if ty.type_args.len() != 1 {
2340 bail!("Invalid rvalue reference type (need exactly 1 type argument): {:?}", ty);
2341 }
2342 let nested_type = format_cc_type(&ty.type_args[0], ir)?;
2343 Ok(quote! {#nested_type &&})
2344 }
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00002345 cc_type_name => match cc_type_name.strip_prefix("#funcValue ") {
2346 None => {
2347 if !ty.type_args.is_empty() {
2348 bail!("Type not yet supported: {:?}", ty);
2349 }
2350 let idents = cc_type_name.split_whitespace().map(format_cc_ident);
2351 Ok(quote! {#( #idents )* #const_fragment})
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +00002352 }
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00002353 Some(abi) => match ty.type_args.split_last() {
2354 None => bail!("funcValue type without a return type: {:?}", ty),
2355 Some((ret_type, param_types)) => {
2356 let ret_type = format_cc_type(ret_type, ir)?;
2357 let param_types = param_types
2358 .iter()
2359 .map(|t| format_cc_type(t, ir))
2360 .collect::<Result<Vec<_>>>()?;
2361 let attr = format_cc_call_conv_as_clang_attribute(abi)?;
2362 // `type_identity_t` is used below to avoid having to
2363 // emit spiral-like syntax where some syntax elements of
2364 // an inner type (e.g. function type as below) can
2365 // surround syntax elements of an outer type (e.g. a
2366 // pointer type). Compare: `int (*foo)(int, int)` VS
2367 // `type_identity_t<int(int, int)>* foo`.
Lukasz Anforowicz23171542022-04-11 15:26:17 -07002368 Ok(quote! { crubit::type_identity_t<
Devin Jeanpierre1b8f4a12022-03-22 21:29:42 +00002369 #ret_type ( #( #param_types ),* ) #attr
2370 > })
2371 }
2372 },
2373 },
Devin Jeanpierre7a7328e2021-09-17 07:10:08 +00002374 }
Marcel Hlopkoc0956cf2021-11-29 08:31:28 +00002375 } else {
Googler6a0a5252022-01-11 14:08:09 +00002376 let item = ir.item_for_type(ty)?;
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002377 let type_name = cc_type_name_for_item(item, ir)?;
Googler6a0a5252022-01-11 14:08:09 +00002378 Ok(quote! {#const_fragment #type_name})
Devin Jeanpierre7a7328e2021-09-17 07:10:08 +00002379 }
2380}
2381
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002382fn cc_struct_layout_assertion(record: &Record, ir: &IR) -> Result<TokenStream> {
Googler6a0a5252022-01-11 14:08:09 +00002383 if !ir.is_current_target(&record.owning_target) && !ir.is_stdlib_target(&record.owning_target) {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002384 return Ok(quote! {});
Marcel Hlopkoa0f38662021-12-03 08:45:26 +00002385 }
Lukasz Anforowicz4c3a2cc2022-03-11 00:24:49 +00002386 let record_ident = format_cc_ident(&record.cc_name);
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002387 let namespace_qualifier = generate_namespace_qualifier(record.id, ir)?;
2388 let namespace_qualifier = quote! { #(#namespace_qualifier::)* };
Googler5ea88642021-09-29 08:05:59 +00002389 let size = Literal::usize_unsuffixed(record.size);
2390 let alignment = Literal::usize_unsuffixed(record.alignment);
Marcel Hlopko4c29c6f2022-05-04 00:49:14 -07002391 let tag_kind = tag_kind(record);
Devin Jeanpierre190b90a2022-05-24 06:00:34 -07002392 let field_assertions = record
2393 .fields
2394 .iter()
2395 .filter(|f| f.access == AccessSpecifier::Public && f.identifier.is_some())
2396 // https://en.cppreference.com/w/cpp/types/offsetof points out that "if member is [...]
2397 // a bit-field [...] the behavior [of `offsetof` macro] is undefined.". In such
2398 // scenario clang reports an error: cannot compute offset of bit-field 'field_name'.
2399 .filter(|f| !f.is_bitfield)
2400 .map(|field| {
2401 // The IR contains the offset in bits, while `CRUBIT_OFFSET_OF` returns the
2402 // offset in bytes, so we need to convert. We can assert that
2403 // `field.offset` is always at field boundaries, because the
2404 // bitfields have been filtered out earlier.
2405 assert_eq!(field.offset % 8, 0);
2406 let expected_offset = Literal::usize_unsuffixed(field.offset / 8);
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07002407
Devin Jeanpierre190b90a2022-05-24 06:00:34 -07002408 let field_ident = format_cc_ident(&field.identifier.as_ref().unwrap().identifier);
2409 let actual_offset = quote! {
2410 CRUBIT_OFFSET_OF(#field_ident, #tag_kind #namespace_qualifier #record_ident)
2411 };
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07002412
Devin Jeanpierre190b90a2022-05-24 06:00:34 -07002413 quote! { static_assert( #actual_offset == #expected_offset); }
2414 });
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002415 Ok(quote! {
2416 static_assert(sizeof(#tag_kind #namespace_qualifier #record_ident) == #size);
2417 static_assert(alignof(#tag_kind #namespace_qualifier #record_ident) == #alignment);
Googler5ea88642021-09-29 08:05:59 +00002418 #( #field_assertions )*
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002419 })
Googler5ea88642021-09-29 08:05:59 +00002420}
2421
Devin Jeanpierre58181ac2022-02-14 21:30:05 +00002422// Returns the accessor functions for no_unique_address member variables.
2423fn cc_struct_no_unique_address_impl(record: &Record, ir: &IR) -> Result<TokenStream> {
2424 let mut fields = vec![];
2425 let mut types = vec![];
2426 for field in &record.fields {
2427 if field.access != AccessSpecifier::Public || !field.is_no_unique_address {
2428 continue;
2429 }
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07002430 // Can't use `get_field_rs_type_for_layout` here, because we want to dig into
2431 // no_unique_address fields, despite laying them out as opaque blobs of bytes.
2432 if let Ok(rs_type) = field.type_.as_ref().map(|t| &t.rs_type) {
2433 fields.push(make_rs_ident(
2434 &field
2435 .identifier
2436 .as_ref()
2437 .expect("Unnamed fields can't be annotated with [[no_unique_address]]")
2438 .identifier,
2439 ));
2440 types.push(format_rs_type(rs_type, ir).with_context(|| {
2441 format!("Failed to format type for field {:?} on record {:?}", field, record)
2442 })?)
2443 }
Devin Jeanpierre58181ac2022-02-14 21:30:05 +00002444 }
2445
2446 if fields.is_empty() {
2447 return Ok(quote! {});
2448 }
2449
Lukasz Anforowicz4c3a2cc2022-03-11 00:24:49 +00002450 let ident = make_rs_ident(&record.rs_name);
Devin Jeanpierre58181ac2022-02-14 21:30:05 +00002451 Ok(quote! {
2452 impl #ident {
2453 #(
2454 pub fn #fields(&self) -> &#types {
2455 unsafe {&* (&self.#fields as *const _ as *const #types)}
2456 }
2457 )*
2458 }
2459 })
2460}
2461
Devin Jeanpierre56777022022-02-03 01:57:15 +00002462/// Returns the implementation of base class conversions, for converting a type
2463/// to its unambiguous public base classes.
Devin Jeanpierre8763a8e2022-04-26 15:45:13 -07002464fn cc_struct_upcast_impl(record: &Record, ir: &IR) -> Result<GeneratedItem> {
Devin Jeanpierre56777022022-02-03 01:57:15 +00002465 let mut impls = Vec::with_capacity(record.unambiguous_public_bases.len());
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07002466 let mut thunks = vec![];
2467 let mut cc_impls = vec![];
Devin Jeanpierre56777022022-02-03 01:57:15 +00002468 for base in &record.unambiguous_public_bases {
Lukasz Anforowicz44047252022-03-23 13:04:48 +00002469 let base_record: &Record = ir
2470 .find_decl(base.base_record_id)
2471 .with_context(|| format!("Can't find a base record of {:?}", record))?;
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002472 let base_name = RsTypeKind::new_record(base_record, ir)?.into_token_stream();
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07002473 let derived_name = make_rs_ident(&record.rs_name);
2474 let body;
Devin Jeanpierre56777022022-02-03 01:57:15 +00002475 if let Some(offset) = base.offset {
2476 let offset = Literal::i64_unsuffixed(offset);
Devin Jeanpierreb368e682022-05-03 02:23:44 -07002477 body = quote! {(derived as *const _ as *const u8).offset(#offset) as *const #base_name};
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07002478 } else {
2479 // TODO(b/216195042): use mangled names here, or otherwise guarantee
2480 // non-collision.
2481 let cast_fn_name = make_rs_ident(&format!(
2482 "__crubit_dynamic_upcast__{}__to__{}",
2483 record.rs_name, base_record.rs_name
2484 ));
2485 let base_cc_name = format_cc_ident(&base_record.cc_name);
2486 let derived_cc_name = format_cc_ident(&record.cc_name);
2487 cc_impls.push(quote! {
2488 extern "C" const #base_cc_name& #cast_fn_name(const #derived_cc_name& from) {
2489 return from;
Devin Jeanpierre56777022022-02-03 01:57:15 +00002490 }
2491 });
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07002492 thunks.push(quote! {
2493 pub fn #cast_fn_name (from: *const #derived_name) -> *const #base_name;
2494 });
2495 body = quote! {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07002496 crate::detail::#cast_fn_name(derived)
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07002497 };
Devin Jeanpierre56777022022-02-03 01:57:15 +00002498 }
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07002499 impls.push(quote! {
Devin Jeanpierreb368e682022-05-03 02:23:44 -07002500 unsafe impl oops::Inherits<#base_name> for #derived_name {
2501 unsafe fn upcast_ptr(derived: *const Self) -> *const #base_name {
2502 #body
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07002503 }
2504 }
2505 });
Devin Jeanpierre56777022022-02-03 01:57:15 +00002506 }
2507
Devin Jeanpierre8763a8e2022-04-26 15:45:13 -07002508 Ok(GeneratedItem {
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07002509 item: quote! {#(#impls)*},
2510 thunks: quote! {#(#thunks)*},
2511 thunk_impls: quote! {#(#cc_impls)*},
Devin Jeanpierre8763a8e2022-04-26 15:45:13 -07002512 ..Default::default()
Devin Jeanpierre56777022022-02-03 01:57:15 +00002513 })
2514}
2515
Googlera675ae02021-12-07 08:04:59 +00002516fn thunk_ident(func: &Func) -> Ident {
2517 format_ident!("__rust_thunk__{}", func.mangled_name)
Devin Jeanpierref2ec8712021-10-13 20:47:16 +00002518}
2519
Lukasz Anforowiczdd907702022-05-06 09:24:07 -07002520fn generate_rs_api_impl(ir: &IR, crubit_support_path: &str) -> Result<TokenStream> {
Michael Forsterbee84482021-10-13 08:35:38 +00002521 // This function uses quote! to generate C++ source code out of convenience.
2522 // This is a bold idea so we have to continously evaluate if it still makes
2523 // sense or the cost of working around differences in Rust and C++ tokens is
2524 // greather than the value added.
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002525 //
Michael Forsterbee84482021-10-13 08:35:38 +00002526 // See rs_bindings_from_cc/
2527 // token_stream_printer.rs for a list of supported placeholders.
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002528 let mut thunks = vec![];
Michael Forster7ef80732021-10-01 18:12:19 +00002529 for func in ir.functions() {
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +00002530 if can_skip_cc_thunk(func) {
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002531 continue;
2532 }
2533
Googlera675ae02021-12-07 08:04:59 +00002534 let thunk_ident = thunk_ident(func);
Devin Jeanpierref2ec8712021-10-13 20:47:16 +00002535 let implementation_function = match &func.name {
Lukasz Anforowicz9c663ca2022-02-09 01:33:31 +00002536 UnqualifiedIdentifier::Operator(op) => {
2537 let name = syn::parse_str::<TokenStream>(&op.name)?;
2538 quote! { operator #name }
2539 }
Devin Jeanpierref2ec8712021-10-13 20:47:16 +00002540 UnqualifiedIdentifier::Identifier(id) => {
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00002541 let fn_ident = format_cc_ident(&id.identifier);
Rosica Dejanovskaa08b3862022-06-02 08:22:49 -07002542 match func.member_func_metadata.as_ref() {
Lukasz Anforowiczaab8ad22021-12-19 20:29:26 +00002543 Some(meta) => {
Rosica Dejanovskaa08b3862022-06-02 08:22:49 -07002544 if let Some(_) = meta.instance_method_metadata {
2545 quote! { #fn_ident }
2546 } else {
2547 let record = meta.find_record(ir)?;
2548 let record_ident = format_cc_ident(&record.cc_name);
2549 let namespace_qualifier = generate_namespace_qualifier(record.id, ir)?;
2550 quote! { #(#namespace_qualifier::)* #record_ident :: #fn_ident }
2551 }
2552 }
2553 None => {
2554 let namespace_qualifier = generate_namespace_qualifier(func.id, ir)?;
2555 quote! { #(#namespace_qualifier::)* #fn_ident }
Lukasz Anforowiczaab8ad22021-12-19 20:29:26 +00002556 }
2557 }
Devin Jeanpierref2ec8712021-10-13 20:47:16 +00002558 }
Lukasz Anforowicz7b0042d2022-01-06 23:00:19 +00002559 // Use `destroy_at` to avoid needing to spell out the class name. Destructor identiifers
Devin Jeanpierrecc6cf092021-12-16 04:31:14 +00002560 // use the name of the type itself, without namespace qualification, template
2561 // parameters, or aliases. We do not need to use that naming scheme anywhere else in
2562 // the bindings, and it can be difficult (impossible?) to spell in the general case. By
2563 // using destroy_at, we avoid needing to determine or remember what the correct spelling
Lukasz Anforowicz7b0042d2022-01-06 23:00:19 +00002564 // is. Similar arguments apply to `construct_at`.
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00002565 UnqualifiedIdentifier::Constructor => {
Lukasz Anforowicz23171542022-04-11 15:26:17 -07002566 quote! { crubit::construct_at }
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00002567 }
Devin Jeanpierref2ec8712021-10-13 20:47:16 +00002568 UnqualifiedIdentifier::Destructor => quote! {std::destroy_at},
Devin Jeanpierref2ec8712021-10-13 20:47:16 +00002569 };
Marcel Hlopkoc0956cf2021-11-29 08:31:28 +00002570 let return_type_name = format_cc_type(&func.return_type.cc_type, ir)?;
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00002571 let return_stmt = if func.return_type.cc_type.is_void() {
2572 quote! {}
2573 } else {
2574 quote! { return }
2575 };
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002576
2577 let param_idents =
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00002578 func.params.iter().map(|p| format_cc_ident(&p.identifier.identifier)).collect_vec();
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002579
Devin Jeanpierre09c6f452021-09-29 07:34:24 +00002580 let param_types = func
2581 .params
2582 .iter()
Marcel Hlopkoc0956cf2021-11-29 08:31:28 +00002583 .map(|p| format_cc_type(&p.type_.cc_type, ir))
Devin Jeanpierre09c6f452021-09-29 07:34:24 +00002584 .collect::<Result<Vec<_>>>()?;
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002585
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00002586 let needs_this_deref = match &func.member_func_metadata {
2587 None => false,
2588 Some(meta) => match &func.name {
2589 UnqualifiedIdentifier::Constructor | UnqualifiedIdentifier::Destructor => false,
Marcel Hlopko14ee3c82022-02-09 09:46:23 +00002590 UnqualifiedIdentifier::Identifier(_) | UnqualifiedIdentifier::Operator(_) => {
2591 meta.instance_method_metadata.is_some()
2592 }
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00002593 },
2594 };
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002595
2596 let arg_expressions: Vec<_> = param_idents
2597 .iter()
2598 .map(
2599 // Forward references along. (If the parameter is a value, not a reference, this
2600 // will create an lvalue reference, and still do the right thing.)
2601 |ident| quote! {std::forward<decltype(#ident)>(#ident)},
2602 )
2603 .collect();
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00002604 let (implementation_function, arg_expressions) = if !needs_this_deref {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002605 (implementation_function, arg_expressions.clone())
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00002606 } else {
2607 let this_param = func
2608 .params
2609 .first()
2610 .ok_or_else(|| anyhow!("Instance methods must have `__this` param."))?;
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00002611 let this_arg = format_cc_ident(&this_param.identifier.identifier);
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00002612 (
2613 quote! { #this_arg -> #implementation_function},
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002614 arg_expressions.iter().skip(1).cloned().collect_vec(),
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00002615 )
2616 };
2617
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002618 thunks.push(quote! {
2619 extern "C" #return_type_name #thunk_ident( #( #param_types #param_idents ),* ) {
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00002620 #return_stmt #implementation_function( #( #arg_expressions ),* );
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002621 }
2622 });
2623 }
2624
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002625 let layout_assertions = ir
2626 .records()
2627 .map(|record| cc_struct_layout_assertion(record, ir))
2628 .collect::<Result<Vec<_>>>()?;
Googler5ea88642021-09-29 08:05:59 +00002629
Devin Jeanpierre231ef8d2021-10-27 10:50:44 +00002630 let mut standard_headers = <BTreeSet<Ident>>::new();
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00002631 standard_headers.insert(format_ident!("memory")); // ubiquitous.
Devin Jeanpierre231ef8d2021-10-27 10:50:44 +00002632 if ir.records().next().is_some() {
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00002633 standard_headers.insert(format_ident!("cstddef"));
Devin Jeanpierre231ef8d2021-10-27 10:50:44 +00002634 };
Googler5ea88642021-09-29 08:05:59 +00002635
Lukasz Anforowiczdd907702022-05-06 09:24:07 -07002636 let mut includes = vec!["cxx20_backports.h", "offsetof.h"]
2637 .into_iter()
2638 .map(|hdr| format!("{}/{}", crubit_support_path, hdr))
2639 .collect_vec();
Lukasz Anforowicz4457baf2021-12-23 17:24:04 +00002640
Michael Forsterbee84482021-10-13 08:35:38 +00002641 // In order to generate C++ thunk in all the cases Clang needs to be able to
2642 // access declarations from public headers of the C++ library.
Lukasz Anforowiczdd907702022-05-06 09:24:07 -07002643 includes.extend(ir.used_headers().map(|hdr| hdr.name.clone()));
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002644
Marcel Hlopko89547752021-12-10 09:39:41 +00002645 Ok(quote! {
Googler5ea88642021-09-29 08:05:59 +00002646 #( __HASH_TOKEN__ include <#standard_headers> __NEWLINE__)*
Devin Jeanpierre7c74f842022-02-03 07:08:06 +00002647 __NEWLINE__
Michael Forsterdb8101a2021-10-08 06:56:03 +00002648 #( __HASH_TOKEN__ include #includes __NEWLINE__)* __NEWLINE__
Marcel Hlopkob8069ae2022-02-19 09:31:00 +00002649 __HASH_TOKEN__ pragma clang diagnostic push __NEWLINE__
2650 // Disable Clang thread-safety-analysis warnings that would otherwise
2651 // complain about thunks that call mutex locking functions in an unpaired way.
2652 __HASH_TOKEN__ pragma clang diagnostic ignored "-Wthread-safety-analysis" __NEWLINE__
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002653
Michael Forsterdb8101a2021-10-08 06:56:03 +00002654 #( #thunks )* __NEWLINE__ __NEWLINE__
Googler5ea88642021-09-29 08:05:59 +00002655
Michael Forsterdb8101a2021-10-08 06:56:03 +00002656 #( #layout_assertions __NEWLINE__ __NEWLINE__ )*
Marcel Hlopkoc6b726c2021-10-07 06:53:09 +00002657
Marcel Hlopkob8069ae2022-02-19 09:31:00 +00002658 __NEWLINE__
2659 __HASH_TOKEN__ pragma clang diagnostic pop __NEWLINE__
Marcel Hlopkoc6b726c2021-10-07 06:53:09 +00002660 // To satisfy http://cs/symbol:devtools.metadata.Presubmit.CheckTerminatingNewline check.
2661 __NEWLINE__
Marcel Hlopko89547752021-12-10 09:39:41 +00002662 })
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002663}
2664
Marcel Hlopko42abfc82021-08-09 07:03:17 +00002665#[cfg(test)]
2666mod tests {
Devin Jeanpierre45cb1162021-10-27 10:54:28 +00002667 use super::*;
Michael Forstered642022021-10-04 09:48:25 +00002668 use anyhow::anyhow;
Lukasz Anforowiczedabf002022-04-28 06:45:09 -07002669 use ir_testing::{
2670 ir_from_cc, ir_from_cc_dependency, ir_record, make_ir_from_items, retrieve_func,
2671 };
Lukasz Anforowicz282bfd72022-03-22 22:38:17 +00002672 use static_assertions::{assert_impl_all, assert_not_impl_all};
Marcel Hlopko89547752021-12-10 09:39:41 +00002673 use token_stream_matchers::{
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00002674 assert_cc_matches, assert_cc_not_matches, assert_ir_matches, assert_rs_matches,
2675 assert_rs_not_matches,
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00002676 };
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -07002677 use token_stream_printer::{rs_tokens_to_formatted_string_for_tests, tokens_to_string};
Marcel Hlopko42abfc82021-08-09 07:03:17 +00002678
Lukasz Anforowiczdd907702022-05-06 09:24:07 -07002679 fn generate_bindings_tokens(ir: &IR) -> Result<BindingsTokens> {
2680 super::generate_bindings_tokens(ir, "crubit/rs_bindings_support")
2681 }
2682
Marcel Hlopko42abfc82021-08-09 07:03:17 +00002683 #[test]
Marcel Hlopkob8069ae2022-02-19 09:31:00 +00002684 fn test_disable_thread_safety_warnings() -> Result<()> {
2685 let ir = ir_from_cc("inline void foo() {}")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07002686 let rs_api_impl = generate_bindings_tokens(&ir)?.rs_api_impl;
Marcel Hlopkob8069ae2022-02-19 09:31:00 +00002687 assert_cc_matches!(
2688 rs_api_impl,
2689 quote! {
2690 ...
2691 __HASH_TOKEN__ pragma clang diagnostic push
2692 __HASH_TOKEN__ pragma clang diagnostic ignored "-Wthread-safety-analysis"
2693 ...
2694
2695 __HASH_TOKEN__ pragma clang diagnostic pop
2696 ...
2697 }
2698 );
2699 Ok(())
2700 }
2701
2702 #[test]
Marcel Hlopko3b9bf9e2021-11-29 08:25:14 +00002703 // TODO(hlopko): Move this test to a more principled place where it can access
2704 // `ir_testing`.
2705 fn test_duplicate_decl_ids_err() {
2706 let mut r1 = ir_record("R1");
Lukasz Anforowicz14732b22022-06-02 09:11:08 -07002707 r1.id = ItemId::new_for_testing(42);
Marcel Hlopko3b9bf9e2021-11-29 08:25:14 +00002708 let mut r2 = ir_record("R2");
Lukasz Anforowicz14732b22022-06-02 09:11:08 -07002709 r2.id = ItemId::new_for_testing(42);
Marcel Hlopko3b9bf9e2021-11-29 08:25:14 +00002710 let result = make_ir_from_items([r1.into(), r2.into()]);
2711 assert!(result.is_err());
2712 assert!(result.unwrap_err().to_string().contains("Duplicate decl_id found in"));
2713 }
2714
2715 #[test]
Marcel Hlopko45fba972021-08-23 19:52:20 +00002716 fn test_simple_function() -> Result<()> {
Marcel Hlopko89547752021-12-10 09:39:41 +00002717 let ir = ir_from_cc("int Add(int a, int b);")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07002718 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Marcel Hlopko89547752021-12-10 09:39:41 +00002719 assert_rs_matches!(
2720 rs_api,
2721 quote! {
Michael Forsterdb8101a2021-10-08 06:56:03 +00002722 #[inline(always)]
Marcel Hlopko89547752021-12-10 09:39:41 +00002723 pub fn Add(a: i32, b: i32) -> i32 {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07002724 unsafe { crate::detail::__rust_thunk___Z3Addii(a, b) }
Marcel Hlopko89547752021-12-10 09:39:41 +00002725 }
2726 }
2727 );
2728 assert_rs_matches!(
2729 rs_api,
2730 quote! {
Michael Forsterdb8101a2021-10-08 06:56:03 +00002731 mod detail {
Googler55647142022-01-11 12:37:39 +00002732 #[allow(unused_imports)]
Devin Jeanpierred4dde0e2021-10-13 20:48:25 +00002733 use super::*;
Michael Forsterdb8101a2021-10-08 06:56:03 +00002734 extern "C" {
2735 #[link_name = "_Z3Addii"]
Googlera675ae02021-12-07 08:04:59 +00002736 pub(crate) fn __rust_thunk___Z3Addii(a: i32, b: i32) -> i32;
Marcel Hlopko89547752021-12-10 09:39:41 +00002737 }
2738 }
2739 }
Marcel Hlopko42abfc82021-08-09 07:03:17 +00002740 );
Michael Forsterdb8101a2021-10-08 06:56:03 +00002741
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07002742 assert_cc_not_matches!(rs_api_impl, quote! {__rust_thunk___Z3Addii});
Michael Forsterdb8101a2021-10-08 06:56:03 +00002743
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002744 Ok(())
2745 }
2746
2747 #[test]
2748 fn test_inline_function() -> Result<()> {
Marcel Hlopko89547752021-12-10 09:39:41 +00002749 let ir = ir_from_cc("inline int Add(int a, int b);")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07002750 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Marcel Hlopko89547752021-12-10 09:39:41 +00002751 assert_rs_matches!(
2752 rs_api,
2753 quote! {
Michael Forsterdb8101a2021-10-08 06:56:03 +00002754 #[inline(always)]
Marcel Hlopko89547752021-12-10 09:39:41 +00002755 pub fn Add(a: i32, b: i32) -> i32 {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07002756 unsafe { crate::detail::__rust_thunk___Z3Addii(a, b) }
Marcel Hlopko89547752021-12-10 09:39:41 +00002757 }
2758 }
2759 );
2760 assert_rs_matches!(
2761 rs_api,
2762 quote! {
Michael Forsterdb8101a2021-10-08 06:56:03 +00002763 mod detail {
Googler55647142022-01-11 12:37:39 +00002764 #[allow(unused_imports)]
Devin Jeanpierred4dde0e2021-10-13 20:48:25 +00002765 use super::*;
Michael Forsterdb8101a2021-10-08 06:56:03 +00002766 extern "C" {
Googlera675ae02021-12-07 08:04:59 +00002767 pub(crate) fn __rust_thunk___Z3Addii(a: i32, b: i32) -> i32;
Marcel Hlopko89547752021-12-10 09:39:41 +00002768 }
2769 }
2770 }
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002771 );
2772
Marcel Hlopko89547752021-12-10 09:39:41 +00002773 assert_cc_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07002774 rs_api_impl,
Marcel Hlopko89547752021-12-10 09:39:41 +00002775 quote! {
Googlera675ae02021-12-07 08:04:59 +00002776 extern "C" int __rust_thunk___Z3Addii(int a, int b) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002777 return Add(std::forward<decltype(a)>(a), std::forward<decltype(b)>(b));
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002778 }
Marcel Hlopko89547752021-12-10 09:39:41 +00002779 }
Marcel Hlopko3164eee2021-08-24 20:09:22 +00002780 );
Marcel Hlopko42abfc82021-08-09 07:03:17 +00002781 Ok(())
2782 }
Marcel Hlopkob4b28742021-09-15 12:45:20 +00002783
2784 #[test]
Marcel Hlopkoa0f38662021-12-03 08:45:26 +00002785 fn test_simple_function_with_types_from_other_target() -> Result<()> {
2786 let ir = ir_from_cc_dependency(
2787 "inline ReturnStruct DoSomething(ParamStruct param);",
2788 "struct ReturnStruct {}; struct ParamStruct {};",
2789 )?;
2790
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07002791 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Marcel Hlopko89547752021-12-10 09:39:41 +00002792 assert_rs_matches!(
2793 rs_api,
2794 quote! {
Marcel Hlopkoa0f38662021-12-03 08:45:26 +00002795 #[inline(always)]
2796 pub fn DoSomething(param: dependency::ParamStruct)
Marcel Hlopko89547752021-12-10 09:39:41 +00002797 -> dependency::ReturnStruct {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07002798 unsafe { crate::detail::__rust_thunk___Z11DoSomething11ParamStruct(param) }
Marcel Hlopko89547752021-12-10 09:39:41 +00002799 }
2800 }
2801 );
2802 assert_rs_matches!(
2803 rs_api,
2804 quote! {
2805 mod detail {
Googler55647142022-01-11 12:37:39 +00002806 #[allow(unused_imports)]
Marcel Hlopko89547752021-12-10 09:39:41 +00002807 use super::*;
2808 extern "C" {
2809 pub(crate) fn __rust_thunk___Z11DoSomething11ParamStruct(param: dependency::ParamStruct)
2810 -> dependency::ReturnStruct;
2811 }
2812 }}
Marcel Hlopkoa0f38662021-12-03 08:45:26 +00002813 );
2814
Marcel Hlopko89547752021-12-10 09:39:41 +00002815 assert_cc_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07002816 rs_api_impl,
Marcel Hlopko89547752021-12-10 09:39:41 +00002817 quote! {
Googler972d3582022-01-11 10:17:22 +00002818 extern "C" class ReturnStruct __rust_thunk___Z11DoSomething11ParamStruct(class ParamStruct param) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002819 return DoSomething(std::forward<decltype(param)>(param));
Marcel Hlopkoa0f38662021-12-03 08:45:26 +00002820 }
Marcel Hlopko89547752021-12-10 09:39:41 +00002821 }
Marcel Hlopkoa0f38662021-12-03 08:45:26 +00002822 );
2823 Ok(())
2824 }
2825
2826 #[test]
Lukasz Anforowiczb1ff2e52022-05-16 10:54:23 -07002827 fn test_template_in_dependency_and_alias_in_current_target() -> Result<()> {
2828 // See also the test with the same name in `ir_from_cc_test.rs`.
2829 let ir = {
2830 let dependency_src = r#" #pragma clang lifetime_elision
2831 template <typename T>
2832 struct MyTemplate {
2833 T GetValue() { return field; }
2834 T field;
2835 }; "#;
2836 let current_target_src = r#" #pragma clang lifetime_elision
2837 using MyAliasOfTemplate = MyTemplate<int>; "#;
2838 ir_from_cc_dependency(current_target_src, dependency_src)?
2839 };
2840
2841 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
2842 assert_rs_matches!(
2843 rs_api,
2844 quote! {
2845 #[repr(C)]
2846 pub struct __CcTemplateInst10MyTemplateIiE {
2847 pub field: i32,
2848 }
2849 }
2850 );
2851 assert_rs_matches!(
2852 rs_api,
2853 quote! {
2854 impl __CcTemplateInst10MyTemplateIiE {
2855 #[inline(always)]
2856 pub fn GetValue<'a>(self: ... Pin<&'a mut Self>) -> i32 { unsafe {
Lukasz Anforowicz8d1e4322022-06-08 07:56:06 -07002857 crate::detail::__rust_thunk___ZN10MyTemplateIiE8GetValueEv__2f_2ftest_3atesting_5ftarget(
Lukasz Anforowiczb1ff2e52022-05-16 10:54:23 -07002858 self)
2859 }}
2860 }
2861 }
2862 );
2863 assert_rs_matches!(
2864 rs_api,
2865 quote! {
2866 pub type MyAliasOfTemplate = crate::__CcTemplateInst10MyTemplateIiE;
2867 }
2868 );
2869 assert_rs_matches!(
2870 rs_api,
2871 quote! {
Lukasz Anforowicz8d1e4322022-06-08 07:56:06 -07002872 mod detail { ... extern "C" {
Lukasz Anforowiczb1ff2e52022-05-16 10:54:23 -07002873 ...
Lukasz Anforowicz8d1e4322022-06-08 07:56:06 -07002874 pub(crate) fn
2875 __rust_thunk___ZN10MyTemplateIiE8GetValueEv__2f_2ftest_3atesting_5ftarget<'a>(
2876 __this: ... Pin<&'a mut crate::__CcTemplateInst10MyTemplateIiE>
2877 ) -> i32;
2878 ...
2879 } }
Lukasz Anforowiczb1ff2e52022-05-16 10:54:23 -07002880 }
2881 );
2882 assert_cc_matches!(
2883 rs_api_impl,
2884 quote! {
Lukasz Anforowicz8d1e4322022-06-08 07:56:06 -07002885 extern "C"
2886 int __rust_thunk___ZN10MyTemplateIiE8GetValueEv__2f_2ftest_3atesting_5ftarget(
Lukasz Anforowiczb1ff2e52022-05-16 10:54:23 -07002887 class MyTemplate<int>* __this) {
2888 return __this->GetValue();
2889 }
2890 }
2891 );
2892
2893 Ok(())
2894 }
2895
2896 #[test]
2897 fn test_template_with_out_of_line_definition() -> Result<()> {
2898 // See also an end-to-end test in the `test/templates/out_of_line_definition`
2899 // directory.
2900 let ir = ir_from_cc(
2901 r#" #pragma clang lifetime_elision
2902 template <typename T>
2903 class MyTemplate final {
2904 public:
2905 static MyTemplate Create(T value);
2906 const T& value() const;
2907
2908 private:
2909 T value_;
2910 };
2911
2912 using MyTypeAlias = MyTemplate<int>; "#,
2913 )?;
2914
2915 let BindingsTokens { rs_api_impl, .. } = generate_bindings_tokens(&ir)?;
2916
2917 // Even though the member functions above are *not* defined inline (e.g.
2918 // IR::Func::is_inline is false), they still need to have thunks generated for
2919 // them (to force/guarantee that the class template and its members get
2920 // instantiated). This is also covered in the following end-to-end
2921 // tests:
2922 // - test/templates/out_of_line_definition/ - without a thunk, the template
2923 // won't be instantiated and Rust bindings won't be able to call the member
2924 // function (there will be no instantiation of the member function in the C++
2925 // object files)
2926 // - test/templates/definition_in_cc/ - the instantiation happens in the .cc
2927 // file and therefore the thunk is not *required* (but it doesn't hurt to have
2928 // the thunk)
2929 assert_cc_matches!(
2930 rs_api_impl,
2931 quote! {
2932 extern "C" class MyTemplate<int>
Lukasz Anforowicz8d1e4322022-06-08 07:56:06 -07002933 __rust_thunk___ZN10MyTemplateIiE6CreateEi__2f_2ftest_3atesting_5ftarget(
2934 int value) {
Lukasz Anforowiczb1ff2e52022-05-16 10:54:23 -07002935 return MyTemplate<int>::Create(std::forward<decltype(value)>(value));
2936 }
2937 }
2938 );
2939 assert_cc_matches!(
2940 rs_api_impl,
2941 quote! {
2942 extern "C" int const&
Lukasz Anforowicz8d1e4322022-06-08 07:56:06 -07002943 __rust_thunk___ZNK10MyTemplateIiE5valueEv__2f_2ftest_3atesting_5ftarget(
Lukasz Anforowiczb1ff2e52022-05-16 10:54:23 -07002944 const class MyTemplate<int>*__this) {
2945 return __this->value();
2946 }
2947 }
2948 );
2949 Ok(())
2950 }
2951
2952 #[test]
Marcel Hlopkob4b28742021-09-15 12:45:20 +00002953 fn test_simple_struct() -> Result<()> {
Marcel Hlopko89547752021-12-10 09:39:41 +00002954 let ir = ir_from_cc(&tokens_to_string(quote! {
Devin Jeanpierre88343c72022-01-15 01:10:23 +00002955 struct SomeStruct final {
Marcel Hlopko89547752021-12-10 09:39:41 +00002956 int public_int;
2957 protected:
2958 int protected_int;
2959 private:
2960 int private_int;
2961 };
2962 })?)?;
Michael Forster028800b2021-10-05 12:39:59 +00002963
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07002964 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Marcel Hlopko89547752021-12-10 09:39:41 +00002965 assert_rs_matches!(
2966 rs_api,
2967 quote! {
Michael Forsterdb8101a2021-10-08 06:56:03 +00002968 #[derive(Clone, Copy)]
Lukasz Anforowiczdf8fcae2022-06-02 14:54:43 -07002969 #[repr(C, align(4))]
Michael Forsterdb8101a2021-10-08 06:56:03 +00002970 pub struct SomeStruct {
Devin Jeanpierrea2be2a22022-05-18 18:59:05 -07002971 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 0],
Michael Forsterdb8101a2021-10-08 06:56:03 +00002972 pub public_int: i32,
Lukasz Anforowiczdf8fcae2022-06-02 14:54:43 -07002973 #[doc = " Reason for representing this field as a blob of bytes:\n Types of non-public C++ fields can be elided away"]
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07002974 pub(crate) protected_int: [crate::rust_std::mem::MaybeUninit<u8>; 4],
Lukasz Anforowiczdf8fcae2022-06-02 14:54:43 -07002975 #[doc = " Reason for representing this field as a blob of bytes:\n Types of non-public C++ fields can be elided away"]
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07002976 pub(crate) private_int: [crate::rust_std::mem::MaybeUninit<u8>; 4],
Marcel Hlopko89547752021-12-10 09:39:41 +00002977 }
2978 }
2979 );
2980 assert_rs_matches!(
2981 rs_api,
2982 quote! {
Rosica Dejanovskaaccf00b2022-04-01 13:28:04 -07002983 const _: () = assert!(rust_std::mem::size_of::<Option<&i32>>() == rust_std::mem::size_of::<&i32>());
Lukasz Anforowiczdc37d6d2022-05-17 08:20:13 -07002984 const _: () = assert!(rust_std::mem::size_of::<crate::SomeStruct>() == 12);
2985 const _: () = assert!(rust_std::mem::align_of::<crate::SomeStruct>() == 4);
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07002986 const _: () = { static_assertions::assert_impl_all!(crate::SomeStruct: Clone); };
2987 const _: () = { static_assertions::assert_impl_all!(crate::SomeStruct: Copy); };
2988 const _: () = { static_assertions::assert_not_impl_all!(crate::SomeStruct: Drop); };
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07002989 const _: () = assert!(memoffset_unstable_const::offset_of!(crate::SomeStruct, public_int) == 0);
2990 const _: () = assert!(memoffset_unstable_const::offset_of!(crate::SomeStruct, protected_int) == 4);
2991 const _: () = assert!(memoffset_unstable_const::offset_of!(crate::SomeStruct, private_int) == 8);
Marcel Hlopko89547752021-12-10 09:39:41 +00002992 }
Marcel Hlopkob4b28742021-09-15 12:45:20 +00002993 );
Marcel Hlopko89547752021-12-10 09:39:41 +00002994 assert_cc_matches!(
2995 rs_api_impl,
2996 quote! {
Googler972d3582022-01-11 10:17:22 +00002997 extern "C" void __rust_thunk___ZN10SomeStructD1Ev(class SomeStruct * __this) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07002998 std :: destroy_at (std::forward<decltype(__this)>(__this)) ;
Marcel Hlopko89547752021-12-10 09:39:41 +00002999 }
3000 }
3001 );
3002 assert_cc_matches!(
3003 rs_api_impl,
3004 quote! {
Googler972d3582022-01-11 10:17:22 +00003005 static_assert(sizeof(class SomeStruct) == 12);
3006 static_assert(alignof(class SomeStruct) == 4);
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07003007 static_assert(CRUBIT_OFFSET_OF(public_int, class SomeStruct) == 0);
Marcel Hlopko89547752021-12-10 09:39:41 +00003008 }
Googler5ea88642021-09-29 08:05:59 +00003009 );
Marcel Hlopkob4b28742021-09-15 12:45:20 +00003010 Ok(())
3011 }
Devin Jeanpierre7a7328e2021-09-17 07:10:08 +00003012
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003013 #[test]
Lukasz Anforowicz275fa922022-01-05 16:13:20 +00003014 fn test_ref_to_struct_in_thunk_impls() -> Result<()> {
Googler972d3582022-01-11 10:17:22 +00003015 let ir = ir_from_cc("struct S{}; inline void foo(class S& s) {} ")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003016 let rs_api_impl = generate_bindings_tokens(&ir)?.rs_api_impl;
Lukasz Anforowicz275fa922022-01-05 16:13:20 +00003017 assert_cc_matches!(
3018 rs_api_impl,
3019 quote! {
Googler972d3582022-01-11 10:17:22 +00003020 extern "C" void __rust_thunk___Z3fooR1S(class S& s) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07003021 foo(std::forward<decltype(s)>(s));
Lukasz Anforowicz275fa922022-01-05 16:13:20 +00003022 }
3023 }
3024 );
3025 Ok(())
3026 }
3027
3028 #[test]
3029 fn test_const_ref_to_struct_in_thunk_impls() -> Result<()> {
Googler972d3582022-01-11 10:17:22 +00003030 let ir = ir_from_cc("struct S{}; inline void foo(const class S& s) {} ")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003031 let rs_api_impl = generate_bindings_tokens(&ir)?.rs_api_impl;
Lukasz Anforowicz275fa922022-01-05 16:13:20 +00003032 assert_cc_matches!(
3033 rs_api_impl,
3034 quote! {
Googler972d3582022-01-11 10:17:22 +00003035 extern "C" void __rust_thunk___Z3fooRK1S(const class S& s) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07003036 foo(std::forward<decltype(s)>(s));
Lukasz Anforowicz275fa922022-01-05 16:13:20 +00003037 }
3038 }
3039 );
3040 Ok(())
3041 }
3042
3043 #[test]
Lukasz Anforowicz957cbf22022-01-05 16:14:05 +00003044 fn test_unsigned_int_in_thunk_impls() -> Result<()> {
3045 let ir = ir_from_cc("inline void foo(unsigned int i) {} ")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003046 let rs_api_impl = generate_bindings_tokens(&ir)?.rs_api_impl;
Lukasz Anforowicz957cbf22022-01-05 16:14:05 +00003047 assert_cc_matches!(
3048 rs_api_impl,
3049 quote! {
3050 extern "C" void __rust_thunk___Z3fooj(unsigned int i) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07003051 foo(std::forward<decltype(i)>(i));
Lukasz Anforowicz957cbf22022-01-05 16:14:05 +00003052 }
3053 }
3054 );
3055 Ok(())
3056 }
3057
3058 #[test]
Marcel Hlopkodd1fcb12021-12-22 14:13:59 +00003059 fn test_record_static_methods_qualify_call_in_thunk() -> Result<()> {
3060 let ir = ir_from_cc(&tokens_to_string(quote! {
3061 struct SomeStruct {
3062 static inline int some_func() { return 42; }
3063 };
3064 })?)?;
3065
3066 assert_cc_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003067 generate_bindings_tokens(&ir)?.rs_api_impl,
Marcel Hlopkodd1fcb12021-12-22 14:13:59 +00003068 quote! {
3069 extern "C" int __rust_thunk___ZN10SomeStruct9some_funcEv() {
3070 return SomeStruct::some_func();
3071 }
3072 }
3073 );
3074 Ok(())
3075 }
3076
3077 #[test]
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00003078 fn test_record_instance_methods_deref_this_in_thunk() -> Result<()> {
3079 let ir = ir_from_cc(&tokens_to_string(quote! {
3080 struct SomeStruct {
3081 inline int some_func(int arg) const { return 42 + arg; }
3082 };
3083 })?)?;
3084
3085 assert_cc_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003086 generate_bindings_tokens(&ir)?.rs_api_impl,
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00003087 quote! {
3088 extern "C" int __rust_thunk___ZNK10SomeStruct9some_funcEi(
3089 const class SomeStruct* __this, int arg) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07003090 return __this->some_func(std::forward<decltype(arg)>(arg));
Lukasz Anforowiczb3d89aa2022-01-12 14:35:52 +00003091 }
3092 }
3093 );
3094 Ok(())
3095 }
3096
3097 #[test]
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07003098 fn test_record_with_unsupported_field_type() -> Result<()> {
3099 // Using a nested struct because it's currently not supported.
3100 // But... any other unsupported type would also work for this test.
3101 let ir = ir_from_cc(
3102 r#"
3103 struct StructWithUnsupportedField {
3104 struct NestedStruct {
3105 int nested_field;
3106 };
3107
3108 // Doc comment for `my_field`.
3109 NestedStruct my_field;
3110 };
3111 "#,
3112 )?;
3113 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
3114 assert_rs_matches!(
3115 rs_api,
3116 quote! {
3117 #[repr(C, align(4))]
3118 pub struct StructWithUnsupportedField {
3119 #[doc = " Doc comment for `my_field`.\n \n Reason for representing this field as a blob of bytes:\n Unsupported type 'struct StructWithUnsupportedField::NestedStruct': No generated bindings found for 'NestedStruct'"]
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07003120 pub(crate) my_field: [crate::rust_std::mem::MaybeUninit<u8>; 4],
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07003121 }
3122 ...
3123 const _: () = assert!(
3124 memoffset_unstable_const::offset_of!(
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07003125 crate::StructWithUnsupportedField, my_field) == 0);
Lukasz Anforowiczfea0db92022-05-17 17:28:04 -07003126 }
3127 );
3128 Ok(())
3129 }
3130
3131 #[test]
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003132 fn test_struct_with_unnamed_bitfield_member() -> Result<()> {
3133 // This test input causes `field_decl->getName()` to return an empty string.
3134 // This example is based on `struct timex` from
3135 // /usr/grte/v5/include/bits/timex.h
3136 let ir = ir_from_cc(
3137 r#"
3138 struct SomeStruct {
3139 int first_field;
3140 int :32;
3141 int last_field;
3142 }; "#,
3143 )?;
3144 let BindingsTokens { rs_api, .. } = generate_bindings_tokens(&ir)?;
3145 assert_rs_matches!(
3146 rs_api,
3147 quote! {
3148 #[repr(C)]
3149 pub struct SomeStruct {
Michael Forster82c02d32022-05-20 21:47:33 -07003150 pub first_field: i32, ...
3151 __bitfields1: [crate::rust_std::mem::MaybeUninit<u8>; 4],
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003152 pub last_field: i32,
3153 }
3154 ...
3155 const _: () = assert!(memoffset_unstable_const::offset_of!(
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07003156 crate::SomeStruct, first_field) == 0);
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003157 const _: () = assert!(memoffset_unstable_const::offset_of!(
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07003158 crate::SomeStruct, last_field) == 8);
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003159 }
3160 );
3161 Ok(())
3162 }
3163
3164 #[test]
3165 fn test_struct_with_unnamed_struct_and_union_members() -> Result<()> {
3166 // This test input causes `field_decl->getName()` to return an empty string.
3167 // See also:
3168 // - https://en.cppreference.com/w/c/language/struct: "[...] an unnamed member
3169 // of a struct whose type is a struct without name is known as anonymous
3170 // struct."
3171 // - https://rust-lang.github.io/rfcs/2102-unnamed-fields.html
3172 let ir = ir_from_cc(
3173 r#"
3174 struct StructWithUnnamedMembers {
3175 int first_field;
3176
3177 struct {
3178 int anonymous_struct_field_1;
3179 int anonymous_struct_field_2;
3180 };
3181 union {
3182 int anonymous_union_field_1;
3183 int anonymous_union_field_2;
3184 };
3185
3186 int last_field;
3187 }; "#,
3188 )?;
3189 let BindingsTokens { rs_api, .. } = generate_bindings_tokens(&ir)?;
3190 // TODO(b/200067824): Once nested structs anhd unions are supported,
3191 // `__unnamed_field1` and `__unnamed_field2` should have a real, usable
3192 // type.
3193 assert_rs_matches!(
3194 rs_api,
3195 quote! {
3196 #[repr(C, align(4))]
3197 pub struct StructWithUnnamedMembers {
3198 pub first_field: i32,
3199 #[doc=" Reason for representing this field as a blob of bytes:\n Unsupported type 'struct StructWithUnnamedMembers::(anonymous at ir_from_cc_virtual_header.h:7:15)': No generated bindings found for ''"]
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07003200 pub(crate) __unnamed_field1: [crate::rust_std::mem::MaybeUninit<u8>; 8],
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003201 #[doc=" Reason for representing this field as a blob of bytes:\n Unsupported type 'union StructWithUnnamedMembers::(anonymous at ir_from_cc_virtual_header.h:11:15)': No generated bindings found for ''"]
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07003202 pub(crate) __unnamed_field2: [crate::rust_std::mem::MaybeUninit<u8>; 4],
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003203 pub last_field: i32,
3204 }
3205 ...
3206 const _: () = assert!(memoffset_unstable_const::offset_of!(
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07003207 crate::StructWithUnnamedMembers, first_field) == 0);
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003208 const _: () = assert!(memoffset_unstable_const::offset_of!(
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07003209 crate::StructWithUnnamedMembers, __unnamed_field1) == 4);
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003210 const _: () = assert!(memoffset_unstable_const::offset_of!(
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07003211 crate::StructWithUnnamedMembers, __unnamed_field2) == 12);
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003212 const _: () = assert!(memoffset_unstable_const::offset_of!(
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07003213 crate::StructWithUnnamedMembers, last_field) == 16);
Lukasz Anforowicze200e8a2022-05-18 12:36:33 -07003214 }
3215 );
3216 Ok(())
3217 }
3218
3219 #[test]
Marcel Hlopkoa0f38662021-12-03 08:45:26 +00003220 fn test_struct_from_other_target() -> Result<()> {
3221 let ir = ir_from_cc_dependency("// intentionally empty", "struct SomeStruct {};")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003222 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
3223 assert_rs_not_matches!(rs_api, quote! { SomeStruct });
3224 assert_cc_not_matches!(rs_api_impl, quote! { SomeStruct });
Marcel Hlopkoa0f38662021-12-03 08:45:26 +00003225 Ok(())
3226 }
3227
3228 #[test]
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003229 fn test_copy_derives() {
Devin Jeanpierreccfefc82021-10-27 10:54:00 +00003230 let record = ir_record("S");
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00003231 assert_eq!(generate_derives(&record), &["Clone", "Copy"]);
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003232 }
3233
3234 #[test]
3235 fn test_copy_derives_not_is_trivial_abi() {
Devin Jeanpierreccfefc82021-10-27 10:54:00 +00003236 let mut record = ir_record("S");
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003237 record.is_trivial_abi = false;
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00003238 assert_eq!(generate_derives(&record), &[""; 0]);
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003239 }
3240
Devin Jeanpierre88343c72022-01-15 01:10:23 +00003241 /// Even if it's trivially relocatable, !Unpin C++ type cannot be
3242 /// cloned/copied or otherwise used by value, because values would allow
3243 /// assignment into the Pin.
3244 ///
3245 /// All !Unpin C++ types, not just non trivially relocatable ones, are
3246 /// unsafe to assign in the Rust sense.
Devin Jeanpierree6e16652021-12-22 15:54:46 +00003247 #[test]
Devin Jeanpierre88343c72022-01-15 01:10:23 +00003248 fn test_copy_derives_not_final() {
Devin Jeanpierree6e16652021-12-22 15:54:46 +00003249 let mut record = ir_record("S");
Teddy Katzd2cd1422022-04-04 09:41:33 -07003250 record.is_inheritable = true;
Devin Jeanpierre88343c72022-01-15 01:10:23 +00003251 assert_eq!(generate_derives(&record), &[""; 0]);
Devin Jeanpierree6e16652021-12-22 15:54:46 +00003252 }
3253
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003254 #[test]
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003255 fn test_copy_derives_ctor_deleted() {
Devin Jeanpierreccfefc82021-10-27 10:54:00 +00003256 let mut record = ir_record("S");
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -07003257 record.copy_constructor = ir::SpecialMemberFunc::Unavailable;
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00003258 assert_eq!(generate_derives(&record), &[""; 0]);
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003259 }
3260
3261 #[test]
Devin Jeanpierrebe2f33b2021-10-21 12:54:19 +00003262 fn test_copy_derives_ctor_nontrivial_members() {
Devin Jeanpierreccfefc82021-10-27 10:54:00 +00003263 let mut record = ir_record("S");
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -07003264 record.copy_constructor = ir::SpecialMemberFunc::NontrivialMembers;
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00003265 assert_eq!(generate_derives(&record), &[""; 0]);
Devin Jeanpierrebe2f33b2021-10-21 12:54:19 +00003266 }
3267
3268 #[test]
3269 fn test_copy_derives_ctor_nontrivial_self() {
Devin Jeanpierreccfefc82021-10-27 10:54:00 +00003270 let mut record = ir_record("S");
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -07003271 record.copy_constructor = ir::SpecialMemberFunc::NontrivialUserDefined;
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00003272 assert_eq!(generate_derives(&record), &[""; 0]);
Devin Jeanpierre2ed14ec2021-10-06 11:32:19 +00003273 }
3274
Devin Jeanpierreb1e816a2022-04-29 20:14:22 -07003275 /// In Rust, a Drop type cannot be Copy.
3276 #[test]
3277 fn test_copy_derives_dtor_nontrivial_self() {
3278 let mut record = ir_record("S");
Lukasz Anforowiczff7df4a2022-06-02 14:27:45 -07003279 for definition in
3280 [ir::SpecialMemberFunc::NontrivialUserDefined, ir::SpecialMemberFunc::NontrivialMembers]
3281 {
3282 record.destructor = definition;
Devin Jeanpierreb1e816a2022-04-29 20:14:22 -07003283 assert_eq!(generate_derives(&record), &["Clone"]);
3284 }
3285 }
3286
Devin Jeanpierre7a7328e2021-09-17 07:10:08 +00003287 #[test]
3288 fn test_ptr_func() -> Result<()> {
Marcel Hlopko89547752021-12-10 09:39:41 +00003289 let ir = ir_from_cc(&tokens_to_string(quote! {
3290 inline int* Deref(int*const* p);
3291 })?)?;
Devin Jeanpierred6da7002021-10-21 12:55:20 +00003292
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003293 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Marcel Hlopko89547752021-12-10 09:39:41 +00003294 assert_rs_matches!(
3295 rs_api,
3296 quote! {
Michael Forsterdb8101a2021-10-08 06:56:03 +00003297 #[inline(always)]
Lukasz Anforowiczf7bdd392022-01-21 00:33:39 +00003298 pub unsafe fn Deref(p: *const *mut i32) -> *mut i32 {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003299 crate::detail::__rust_thunk___Z5DerefPKPi(p)
Marcel Hlopko89547752021-12-10 09:39:41 +00003300 }
3301 }
3302 );
3303 assert_rs_matches!(
3304 rs_api,
3305 quote! {
Michael Forsterdb8101a2021-10-08 06:56:03 +00003306 mod detail {
Googler55647142022-01-11 12:37:39 +00003307 #[allow(unused_imports)]
Devin Jeanpierred4dde0e2021-10-13 20:48:25 +00003308 use super::*;
Michael Forsterdb8101a2021-10-08 06:56:03 +00003309 extern "C" {
Googlera675ae02021-12-07 08:04:59 +00003310 pub(crate) fn __rust_thunk___Z5DerefPKPi(p: *const *mut i32) -> *mut i32;
Marcel Hlopko89547752021-12-10 09:39:41 +00003311 }
3312 }
3313 }
Devin Jeanpierre7a7328e2021-09-17 07:10:08 +00003314 );
Devin Jeanpierre184f9ac2021-09-17 13:47:03 +00003315
Marcel Hlopko89547752021-12-10 09:39:41 +00003316 assert_cc_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003317 rs_api_impl,
Marcel Hlopko89547752021-12-10 09:39:41 +00003318 quote! {
Googlera675ae02021-12-07 08:04:59 +00003319 extern "C" int* __rust_thunk___Z5DerefPKPi(int* const * p) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07003320 return Deref(std::forward<decltype(p)>(p));
Devin Jeanpierre184f9ac2021-09-17 13:47:03 +00003321 }
Marcel Hlopko89547752021-12-10 09:39:41 +00003322 }
Devin Jeanpierre184f9ac2021-09-17 13:47:03 +00003323 );
Devin Jeanpierre7a7328e2021-09-17 07:10:08 +00003324 Ok(())
3325 }
Michael Forstered642022021-10-04 09:48:25 +00003326
3327 #[test]
Googlerdb111532022-01-05 06:12:13 +00003328 fn test_const_char_ptr_func() -> Result<()> {
3329 // This is a regression test: We used to include the "const" in the name
3330 // of the CcType, which caused a panic in the code generator
3331 // ('"const char" is not a valid Ident').
3332 // It's therefore important that f() is inline so that we need to
3333 // generate a thunk for it (where we then process the CcType).
3334 let ir = ir_from_cc(&tokens_to_string(quote! {
3335 inline void f(const char *str);
3336 })?)?;
3337
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003338 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Googlerdb111532022-01-05 06:12:13 +00003339 assert_rs_matches!(
3340 rs_api,
3341 quote! {
3342 #[inline(always)]
Lukasz Anforowiczf7bdd392022-01-21 00:33:39 +00003343 pub unsafe fn f(str: *const i8) {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003344 crate::detail::__rust_thunk___Z1fPKc(str)
Googlerdb111532022-01-05 06:12:13 +00003345 }
3346 }
3347 );
3348 assert_rs_matches!(
3349 rs_api,
3350 quote! {
3351 extern "C" {
3352 pub(crate) fn __rust_thunk___Z1fPKc(str: *const i8);
3353 }
3354 }
3355 );
3356
3357 assert_cc_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003358 rs_api_impl,
Googlerdb111532022-01-05 06:12:13 +00003359 quote! {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07003360 extern "C" void __rust_thunk___Z1fPKc(char const * str){ f(std::forward<decltype(str)>(str)) ; }
Googlerdb111532022-01-05 06:12:13 +00003361 }
3362 );
3363 Ok(())
3364 }
3365
3366 #[test]
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003367 fn test_func_ptr_where_params_are_primitive_types() -> Result<()> {
3368 let ir = ir_from_cc(r#" int (*get_ptr_to_func())(float, double); "#)?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003369 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003370 assert_rs_matches!(
3371 rs_api,
3372 quote! {
3373 #[inline(always)]
3374 pub fn get_ptr_to_func() -> Option<extern "C" fn (f32, f64) -> i32> {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003375 unsafe { crate::detail::__rust_thunk___Z15get_ptr_to_funcv() }
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003376 }
3377 }
3378 );
3379 assert_rs_matches!(
3380 rs_api,
3381 quote! {
3382 mod detail {
3383 #[allow(unused_imports)]
3384 use super::*;
3385 extern "C" {
3386 #[link_name = "_Z15get_ptr_to_funcv"]
3387 pub(crate) fn __rust_thunk___Z15get_ptr_to_funcv()
3388 -> Option<extern "C" fn(f32, f64) -> i32>;
3389 }
3390 }
3391 }
3392 );
3393 // Verify that no C++ thunk got generated.
3394 assert_cc_not_matches!(rs_api_impl, quote! { __rust_thunk___Z15get_ptr_to_funcv });
3395
3396 // TODO(b/217419782): Add another test for more exotic calling conventions /
3397 // abis.
3398
3399 // TODO(b/217419782): Add another test for pointer to a function that
3400 // takes/returns non-trivially-movable types by value. See also
3401 // <internal link>
3402
3403 Ok(())
3404 }
3405
3406 #[test]
Lukasz Anforowicz92c81c32022-03-04 19:03:56 +00003407 fn test_func_ref() -> Result<()> {
3408 let ir = ir_from_cc(r#" int (&get_ref_to_func())(float, double); "#)?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003409 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowicz92c81c32022-03-04 19:03:56 +00003410 assert_rs_matches!(
3411 rs_api,
3412 quote! {
3413 #[inline(always)]
3414 pub fn get_ref_to_func() -> extern "C" fn (f32, f64) -> i32 {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003415 unsafe { crate::detail::__rust_thunk___Z15get_ref_to_funcv() }
Lukasz Anforowicz92c81c32022-03-04 19:03:56 +00003416 }
3417 }
3418 );
3419 Ok(())
3420 }
3421
3422 #[test]
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003423 fn test_func_ptr_with_non_static_lifetime() -> Result<()> {
3424 let ir = ir_from_cc(
3425 r#"
Googler53f65942022-02-23 11:23:30 +00003426 [[clang::annotate("lifetimes", "-> a")]]
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003427 int (*get_ptr_to_func())(float, double); "#,
3428 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003429 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003430 assert_rs_matches!(
3431 rs_api,
3432 quote! {
3433 // Error while generating bindings for item 'get_ptr_to_func':
3434 // Return type is not supported: Function pointers with non-'static lifetimes are not supported: int (*)(float, double)
3435 }
3436 );
3437 Ok(())
3438 }
3439
3440 #[test]
3441 fn test_func_ptr_where_params_are_raw_ptrs() -> Result<()> {
3442 let ir = ir_from_cc(r#" const int* (*get_ptr_to_func())(const int*); "#)?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003443 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003444 assert_rs_matches!(
3445 rs_api,
3446 quote! {
3447 #[inline(always)]
3448 pub fn get_ptr_to_func() -> Option<extern "C" fn (*const i32) -> *const i32> {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003449 unsafe { crate::detail::__rust_thunk___Z15get_ptr_to_funcv() }
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003450 }
3451 }
3452 );
3453 assert_rs_matches!(
3454 rs_api,
3455 quote! {
3456 mod detail {
3457 #[allow(unused_imports)]
3458 use super::*;
3459 extern "C" {
3460 #[link_name = "_Z15get_ptr_to_funcv"]
3461 pub(crate) fn __rust_thunk___Z15get_ptr_to_funcv()
3462 -> Option<extern "C" fn(*const i32) -> *const i32>;
3463 }
3464 }
3465 }
3466 );
3467 // Verify that no C++ thunk got generated.
3468 assert_cc_not_matches!(rs_api_impl, quote! { __rust_thunk___Z15get_ptr_to_funcv });
3469
3470 // TODO(b/217419782): Add another test where params (and the return
3471 // type) are references with lifetimes. Something like this:
3472 // #pragma clang lifetime_elision
3473 // const int& (*get_ptr_to_func())(const int&, const int&); "#)?;
3474 // 1) Need to investigate why this fails - seeing raw pointers in Rust
3475 // seems to indicate that no lifetimes are present at the `importer.cc`
3476 // level. Maybe lifetime elision doesn't support this scenario? Unclear
Googler53f65942022-02-23 11:23:30 +00003477 // how to explicitly apply [[clang::annotate("lifetimes", "a, b -> a")]]
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00003478 // to the _inner_ function.
3479 // 2) It is important to have 2 reference parameters, so see if the problem
3480 // of passing `lifetimes` by value would have been caught - see:
3481 // cl/428079010/depot/rs_bindings_from_cc/
3482 // importer.cc?version=s6#823
3483
3484 // TODO(b/217419782): Decide what to do if the C++ pointer is *not*
3485 // annotated with a lifetime - emit `unsafe fn(...) -> ...` in that
3486 // case?
3487
3488 Ok(())
3489 }
3490
3491 #[test]
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003492 fn test_func_ptr_with_custom_abi() -> Result<()> {
3493 let ir = ir_from_cc(r#" int (*get_ptr_to_func())(float, double) [[clang::vectorcall]]; "#)?;
3494
3495 // Verify that the test input correctly represents what we intend to
3496 // test - we want [[clang::vectorcall]] to apply to the returned
3497 // function pointer, but *not* apply to the `get_ptr_to_func` function.
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003498 assert_ir_matches!(
3499 ir,
3500 quote! {
3501 Func(Func {
3502 name: "get_ptr_to_func", ...
3503 return_type: MappedType {
3504 rs_type: RsType {
3505 name: Some("Option"), ...
3506 type_args: [RsType { name: Some("#funcPtr vectorcall"), ... }], ...
3507 },
3508 cc_type: CcType {
3509 name: Some("*"), ...
3510 type_args: [CcType { name: Some("#funcValue vectorcall"), ... }], ...
3511 },
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00003512 }, ...
3513 has_c_calling_convention: true, ...
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003514 }),
3515 }
3516 );
3517
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003518 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003519 // Check that the custom "vectorcall" ABI gets propagated into the
3520 // return type (i.e. into `extern "vectorcall" fn`).
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003521 assert_rs_matches!(
3522 rs_api,
3523 quote! {
3524 #[inline(always)]
3525 pub fn get_ptr_to_func() -> Option<extern "vectorcall" fn (f32, f64) -> i32> {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003526 unsafe { crate::detail::__rust_thunk___Z15get_ptr_to_funcv() }
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003527 }
3528 }
3529 );
3530
3531 // The usual `extern "C"` ABI should be used for "get_ptr_to_func".
3532 assert_rs_matches!(
3533 rs_api,
3534 quote! {
3535 mod detail {
3536 #[allow(unused_imports)]
3537 use super::*;
3538 extern "C" {
3539 #[link_name = "_Z15get_ptr_to_funcv"]
3540 pub(crate) fn __rust_thunk___Z15get_ptr_to_funcv()
3541 -> Option<extern "vectorcall" fn(f32, f64) -> i32>;
3542 }
3543 }
3544 }
3545 );
3546
3547 // Verify that no C++ thunk got generated.
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003548 assert_cc_not_matches!(rs_api_impl, quote! { __rust_thunk___Z15get_ptr_to_funcv });
3549 Ok(())
3550 }
3551
3552 #[test]
3553 fn test_func_ptr_thunk() -> Result<()> {
3554 // Using an `inline` keyword forces generation of a C++ thunk in
3555 // `rs_api_impl` (i.e. exercises `format_cc_type` and similar code).
3556 let ir = ir_from_cc(
3557 r#"
3558 int multiply(int x, int y);
3559 inline int (*inline_get_pointer_to_function())(int, int) {
3560 return multiply;
3561 }
3562 "#,
3563 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003564 let rs_api_impl = generate_bindings_tokens(&ir)?.rs_api_impl;
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003565 assert_cc_matches!(
3566 rs_api_impl,
3567 quote! {
Lukasz Anforowicz23171542022-04-11 15:26:17 -07003568 extern "C" crubit::type_identity_t<int(int , int)>*
Lukasz Anforowicz71e9b592022-03-04 19:03:02 +00003569 __rust_thunk___Z30inline_get_pointer_to_functionv() {
3570 return inline_get_pointer_to_function();
3571 }
3572 }
3573 );
3574 Ok(())
3575 }
3576
3577 #[test]
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00003578 fn test_func_ptr_with_custom_abi_thunk() -> Result<()> {
3579 // Using an `inline` keyword forces generation of a C++ thunk in
3580 // `rs_api_impl` (i.e. exercises `format_cc_type`,
3581 // `format_cc_call_conv_as_clang_attribute` and similar code).
3582 let ir = ir_from_cc(
3583 r#"
3584 inline int (*inline_get_ptr_to_func())(float, double) [[clang::vectorcall]];
3585 "#,
3586 )?;
3587
3588 // Verify that the test input correctly represents what we intend to
3589 // test - we want [[clang::vectorcall]] to apply to the returned
3590 // function pointer, but *not* apply to the `get_ptr_to_func` function.
3591 assert_ir_matches!(
3592 ir,
3593 quote! {
3594 Func(Func {
3595 name: "inline_get_ptr_to_func", ...
3596 return_type: MappedType {
3597 rs_type: RsType {
3598 name: Some("Option"), ...
3599 type_args: [RsType { name: Some("#funcPtr vectorcall"), ... }], ...
3600 },
3601 cc_type: CcType {
3602 name: Some("*"), ...
3603 type_args: [CcType { name: Some("#funcValue vectorcall"), ... }], ...
3604 },
3605 }, ...
3606 has_c_calling_convention: true, ...
3607 }),
3608 }
3609 );
3610
3611 // This test is quite similar to `test_func_ptr_thunk` - the main
3612 // difference is verification of the `__attribute__((vectorcall))` in
3613 // the expected signature of the generated thunk below.
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003614 let rs_api_impl = generate_bindings_tokens(&ir)?.rs_api_impl;
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00003615 assert_cc_matches!(
3616 rs_api_impl,
3617 quote! {
Lukasz Anforowicz23171542022-04-11 15:26:17 -07003618 extern "C" crubit::type_identity_t<
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00003619 int(float , double) __attribute__((vectorcall))
3620 >* __rust_thunk___Z22inline_get_ptr_to_funcv() {
3621 return inline_get_ptr_to_func();
3622 }
3623 }
3624 );
3625 Ok(())
3626 }
3627
3628 #[test]
Michael Forstered642022021-10-04 09:48:25 +00003629 fn test_item_order() -> Result<()> {
Marcel Hlopko89547752021-12-10 09:39:41 +00003630 let ir = ir_from_cc(
3631 "int first_func();
3632 struct FirstStruct {};
3633 int second_func();
3634 struct SecondStruct {};",
3635 )?;
Michael Forstered642022021-10-04 09:48:25 +00003636
Lukasz Anforowicz54ff3182022-05-06 07:17:58 -07003637 let rs_api =
3638 rs_tokens_to_formatted_string_for_tests(generate_bindings_tokens(&ir)?.rs_api)?;
Marcel Hlopko89547752021-12-10 09:39:41 +00003639
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +00003640 let idx = |s: &str| rs_api.find(s).ok_or_else(|| anyhow!("'{}' missing", s));
Michael Forstered642022021-10-04 09:48:25 +00003641
3642 let f1 = idx("fn first_func")?;
3643 let f2 = idx("fn second_func")?;
3644 let s1 = idx("struct FirstStruct")?;
3645 let s2 = idx("struct SecondStruct")?;
Googlera675ae02021-12-07 08:04:59 +00003646 let t1 = idx("fn __rust_thunk___Z10first_funcv")?;
3647 let t2 = idx("fn __rust_thunk___Z11second_funcv")?;
Michael Forstered642022021-10-04 09:48:25 +00003648
3649 assert!(f1 < s1);
3650 assert!(s1 < f2);
3651 assert!(f2 < s2);
3652 assert!(s2 < t1);
3653 assert!(t1 < t2);
3654
3655 Ok(())
3656 }
Michael Forster028800b2021-10-05 12:39:59 +00003657
3658 #[test]
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003659 fn test_base_class_subobject_layout() -> Result<()> {
3660 let ir = ir_from_cc(
3661 r#"
3662 // We use a class here to force `Derived::z` to live inside the tail padding of `Base`.
3663 // On the Itanium ABI, this would not happen if `Base` were a POD type.
Devin Jeanpierre56777022022-02-03 01:57:15 +00003664 class Base {__INT64_TYPE__ x; char y;};
3665 struct Derived final : Base {__INT16_TYPE__ z;};
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003666 "#,
3667 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003668 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003669 assert_rs_matches!(
3670 rs_api,
3671 quote! {
3672 #[repr(C, align(8))]
3673 pub struct Derived {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003674 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 10],
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003675 pub z: i16,
3676 }
3677 }
3678 );
3679 Ok(())
3680 }
3681
3682 /// The same as test_base_class_subobject_layout, but with multiple
3683 /// inheritance.
3684 #[test]
3685 fn test_base_class_multiple_inheritance_subobject_layout() -> Result<()> {
3686 let ir = ir_from_cc(
3687 r#"
Devin Jeanpierre56777022022-02-03 01:57:15 +00003688 class Base1 {__INT64_TYPE__ x;};
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003689 class Base2 {char y;};
Devin Jeanpierre56777022022-02-03 01:57:15 +00003690 struct Derived final : Base1, Base2 {__INT16_TYPE__ z;};
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003691 "#,
3692 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003693 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003694 assert_rs_matches!(
3695 rs_api,
3696 quote! {
3697 #[repr(C, align(8))]
3698 pub struct Derived {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003699 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 10],
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003700 pub z: i16,
3701 }
3702 }
3703 );
3704 Ok(())
3705 }
3706
3707 /// The same as test_base_class_subobject_layout, but with a chain of
3708 /// inheritance.
3709 #[test]
3710 fn test_base_class_deep_inheritance_subobject_layout() -> Result<()> {
3711 let ir = ir_from_cc(
3712 r#"
Devin Jeanpierre56777022022-02-03 01:57:15 +00003713 class Base1 {__INT64_TYPE__ x;};
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003714 class Base2 : Base1 {char y;};
Devin Jeanpierre56777022022-02-03 01:57:15 +00003715 struct Derived final : Base2 {__INT16_TYPE__ z;};
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003716 "#,
3717 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003718 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003719 assert_rs_matches!(
3720 rs_api,
3721 quote! {
3722 #[repr(C, align(8))]
3723 pub struct Derived {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003724 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 10],
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003725 pub z: i16,
3726 }
3727 }
3728 );
3729 Ok(())
3730 }
3731
3732 /// For derived classes with no data members, we can't use the offset of the
3733 /// first member to determine the size of the base class subobjects.
3734 #[test]
3735 fn test_base_class_subobject_fieldless_layout() -> Result<()> {
3736 let ir = ir_from_cc(
3737 r#"
Devin Jeanpierre56777022022-02-03 01:57:15 +00003738 class Base {__INT64_TYPE__ x; char y;};
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003739 struct Derived final : Base {};
3740 "#,
3741 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003742 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003743 assert_rs_matches!(
3744 rs_api,
3745 quote! {
3746 #[repr(C, align(8))]
3747 pub struct Derived {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003748 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 16],
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003749 }
3750 }
3751 );
3752 Ok(())
3753 }
3754
3755 #[test]
3756 fn test_base_class_subobject_empty_fieldless() -> Result<()> {
3757 let ir = ir_from_cc(
3758 r#"
3759 class Base {};
3760 struct Derived final : Base {};
3761 "#,
3762 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003763 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003764 assert_rs_matches!(
3765 rs_api,
3766 quote! {
3767 #[repr(C)]
3768 pub struct Derived {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003769 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 1],
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003770 }
3771 }
3772 );
3773 Ok(())
3774 }
3775
3776 #[test]
3777 fn test_base_class_subobject_empty() -> Result<()> {
3778 let ir = ir_from_cc(
3779 r#"
3780 class Base {};
Devin Jeanpierre1221c2a2022-05-05 22:36:22 -07003781 struct Derived final : Base {
3782 __INT16_TYPE__ x;
3783 };
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003784 "#,
3785 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003786 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003787 assert_rs_matches!(
3788 rs_api,
3789 quote! {
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003790 pub struct Derived {
Devin Jeanpierrea2be2a22022-05-18 18:59:05 -07003791 // TODO(b/232984274): delete this.
3792 // Currently, our tests use C++14 instead of C++17. In C++14, `Derived`
3793 // is not an aggregate, because it has a base class. C++17 removed this
3794 // restriction, and allows aggregates to have base classes.
3795 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 0],
3796 pub x: i16,
3797 }
3798 }
3799 );
3800 Ok(())
3801 }
3802
3803 /// Non-aggregate structs can't be directly initialized, because we add
3804 /// a zero-sized private field to the bindings.
3805 #[test]
3806 fn test_non_aggregate_struct_private_field() -> Result<()> {
3807 let ir = ir_from_cc(
3808 r#"
3809 struct NonAggregate {
3810 NonAggregate() {}
3811
3812 __INT16_TYPE__ x = 0;
3813 };
3814 "#,
3815 )?;
3816 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
3817 assert_rs_matches!(
3818 rs_api,
3819 quote! {
3820 pub struct NonAggregate {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07003821 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 0],
Devin Jeanpierre1221c2a2022-05-05 22:36:22 -07003822 pub x: i16,
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003823 }
3824 }
3825 );
3826 Ok(())
3827 }
3828
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003829 /// When a field is [[no_unique_address]], it occupies the space up to the
3830 /// next field.
3831 #[test]
3832 fn test_no_unique_address() -> Result<()> {
3833 let ir = ir_from_cc(
3834 r#"
3835 class Field1 {__INT64_TYPE__ x;};
3836 class Field2 {char y;};
3837 struct Struct final {
3838 [[no_unique_address]] Field1 field1;
3839 [[no_unique_address]] Field2 field2;
3840 __INT16_TYPE__ z;
3841 };
3842 "#,
3843 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003844 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003845 assert_rs_matches!(
3846 rs_api,
3847 quote! {
3848 #[derive(Clone, Copy)]
3849 #[repr(C, align(8))]
3850 pub struct Struct {
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07003851 pub(crate) field1: [crate::rust_std::mem::MaybeUninit<u8>; 8],
3852 pub(crate) field2: [crate::rust_std::mem::MaybeUninit<u8>; 2],
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003853 pub z: i16,
3854 }
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07003855 }
3856 );
Devin Jeanpierre27450132022-04-11 13:52:01 -07003857 assert_rs_matches!(
3858 rs_api,
3859 quote! {
Devin Jeanpierre58181ac2022-02-14 21:30:05 +00003860 impl Struct {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07003861 pub fn field1(&self) -> &crate::Field1 {
3862 unsafe {&* (&self.field1 as *const _ as *const crate::Field1)}
Devin Jeanpierre58181ac2022-02-14 21:30:05 +00003863 }
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07003864 pub fn field2(&self) -> &crate::Field2 {
3865 unsafe {&* (&self.field2 as *const _ as *const crate::Field2)}
Devin Jeanpierre58181ac2022-02-14 21:30:05 +00003866 }
3867 }
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003868 }
3869 );
3870 Ok(())
3871 }
3872
3873 /// When a [[no_unique_address]] field is the last one, it occupies the rest
3874 /// of the object.
3875 #[test]
3876 fn test_no_unique_address_last_field() -> Result<()> {
3877 let ir = ir_from_cc(
3878 r#"
3879 class Field1 {__INT64_TYPE__ x;};
3880 class Field2 {char y;};
3881 struct Struct final {
3882 [[no_unique_address]] Field1 field1;
3883 [[no_unique_address]] Field2 field2;
3884 };
3885 "#,
3886 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003887 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003888 assert_rs_matches!(
3889 rs_api,
3890 quote! {
3891 #[derive(Clone, Copy)]
3892 #[repr(C, align(8))]
3893 pub struct Struct {
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07003894 pub(crate) field1: [crate::rust_std::mem::MaybeUninit<u8>; 8],
3895 pub(crate) field2: [crate::rust_std::mem::MaybeUninit<u8>; 8],
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003896 }
3897 }
3898 );
3899 Ok(())
3900 }
3901
3902 #[test]
3903 fn test_no_unique_address_empty() -> Result<()> {
3904 let ir = ir_from_cc(
3905 r#"
3906 class Field {};
3907 struct Struct final {
3908 [[no_unique_address]] Field field;
3909 int x;
3910 };
3911 "#,
3912 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003913 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003914 assert_rs_matches!(
3915 rs_api,
3916 quote! {
3917 #[repr(C, align(4))]
3918 pub struct Struct {
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07003919 pub(crate) field: [crate::rust_std::mem::MaybeUninit<u8>; 0],
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003920 pub x: i32,
3921 }
3922 }
3923 );
3924 Ok(())
3925 }
3926
3927 #[test]
3928 fn test_base_class_subobject_empty_last_field() -> Result<()> {
3929 let ir = ir_from_cc(
3930 r#"
3931 class Field {};
3932 struct Struct final {
3933 [[no_unique_address]] Field field;
3934 };
3935 "#,
3936 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003937 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003938 assert_rs_matches!(
3939 rs_api,
3940 quote! {
3941 #[repr(C)]
3942 pub struct Struct {
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07003943 pub(crate) field: [crate::rust_std::mem::MaybeUninit<u8>; 1],
Devin Jeanpierreb69bcae2022-02-03 09:45:50 +00003944 }
3945 }
3946 );
3947 Ok(())
3948 }
3949
Devin Jeanpierrec80e6242022-02-03 01:56:40 +00003950 #[test]
Teddy Katz76fa42b2022-02-23 01:22:56 +00003951 fn test_generate_enum_basic() -> Result<()> {
3952 let ir = ir_from_cc("enum Color { kRed = 5, kBlue };")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003953 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katz76fa42b2022-02-23 01:22:56 +00003954 assert_rs_matches!(
3955 rs_api,
3956 quote! {
3957 #[repr(transparent)]
3958 #[derive(Debug, PartialEq, Eq, Copy, Clone, Hash, PartialOrd, Ord)]
3959 pub struct Color(u32);
3960 impl Color {
3961 pub const kRed: Color = Color(5);
3962 pub const kBlue: Color = Color(6);
3963 }
3964 impl From<u32> for Color {
3965 fn from(value: u32) -> Color {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07003966 Color(value)
Teddy Katz76fa42b2022-02-23 01:22:56 +00003967 }
3968 }
3969 impl From<Color> for u32 {
3970 fn from(value: Color) -> u32 {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07003971 value.0
Teddy Katz76fa42b2022-02-23 01:22:56 +00003972 }
3973 }
3974 }
3975 );
3976 Ok(())
3977 }
3978
3979 #[test]
3980 fn test_generate_scoped_enum_basic() -> Result<()> {
3981 let ir = ir_from_cc("enum class Color { kRed = -5, kBlue };")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07003982 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katz76fa42b2022-02-23 01:22:56 +00003983 assert_rs_matches!(
3984 rs_api,
3985 quote! {
3986 #[repr(transparent)]
3987 #[derive(Debug, PartialEq, Eq, Copy, Clone, Hash, PartialOrd, Ord)]
3988 pub struct Color(i32);
3989 impl Color {
3990 pub const kRed: Color = Color(-5);
3991 pub const kBlue: Color = Color(-4);
3992 }
3993 impl From<i32> for Color {
3994 fn from(value: i32) -> Color {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07003995 Color(value)
Teddy Katz76fa42b2022-02-23 01:22:56 +00003996 }
3997 }
3998 impl From<Color> for i32 {
3999 fn from(value: Color) -> i32 {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004000 value.0
Teddy Katz76fa42b2022-02-23 01:22:56 +00004001 }
4002 }
4003 }
4004 );
4005 Ok(())
4006 }
4007
4008 #[test]
4009 fn test_generate_enum_with_64_bit_signed_vals() -> Result<()> {
4010 let ir = ir_from_cc(
4011 "enum Color : long { kViolet = -9223372036854775807 - 1LL, kRed = -5, kBlue, kGreen = 3, kMagenta = 9223372036854775807 };",
4012 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004013 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katz76fa42b2022-02-23 01:22:56 +00004014 assert_rs_matches!(
4015 rs_api,
4016 quote! {
4017 #[repr(transparent)]
4018 #[derive(Debug, PartialEq, Eq, Copy, Clone, Hash, PartialOrd, Ord)]
4019 pub struct Color(i64);
4020 impl Color {
4021 pub const kViolet: Color = Color(-9223372036854775808);
4022 pub const kRed: Color = Color(-5);
4023 pub const kBlue: Color = Color(-4);
4024 pub const kGreen: Color = Color(3);
4025 pub const kMagenta: Color = Color(9223372036854775807);
4026 }
4027 impl From<i64> for Color {
4028 fn from(value: i64) -> Color {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004029 Color(value)
Teddy Katz76fa42b2022-02-23 01:22:56 +00004030 }
4031 }
4032 impl From<Color> for i64 {
4033 fn from(value: Color) -> i64 {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004034 value.0
Teddy Katz76fa42b2022-02-23 01:22:56 +00004035 }
4036 }
4037 }
4038 );
4039 Ok(())
4040 }
4041
4042 #[test]
4043 fn test_generate_enum_with_64_bit_unsigned_vals() -> Result<()> {
4044 let ir = ir_from_cc(
4045 "enum Color: unsigned long { kRed, kBlue, kLimeGreen = 18446744073709551615 };",
4046 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004047 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katz76fa42b2022-02-23 01:22:56 +00004048 assert_rs_matches!(
4049 rs_api,
4050 quote! {
4051 #[repr(transparent)]
4052 #[derive(Debug, PartialEq, Eq, Copy, Clone, Hash, PartialOrd, Ord)]
4053 pub struct Color(u64);
4054 impl Color {
4055 pub const kRed: Color = Color(0);
4056 pub const kBlue: Color = Color(1);
4057 pub const kLimeGreen: Color = Color(18446744073709551615);
4058 }
4059 impl From<u64> for Color {
4060 fn from(value: u64) -> Color {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004061 Color(value)
Teddy Katz76fa42b2022-02-23 01:22:56 +00004062 }
4063 }
4064 impl From<Color> for u64 {
4065 fn from(value: Color) -> u64 {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004066 value.0
Teddy Katz76fa42b2022-02-23 01:22:56 +00004067 }
4068 }
4069 }
4070 );
4071 Ok(())
4072 }
4073
4074 #[test]
4075 fn test_generate_enum_with_32_bit_signed_vals() -> Result<()> {
4076 let ir = ir_from_cc(
4077 "enum Color { kViolet = -2147483647 - 1, kRed = -5, kBlue, kGreen = 3, kMagenta = 2147483647 };",
4078 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004079 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katz76fa42b2022-02-23 01:22:56 +00004080 assert_rs_matches!(
4081 rs_api,
4082 quote! {
4083 #[repr(transparent)]
4084 #[derive(Debug, PartialEq, Eq, Copy, Clone, Hash, PartialOrd, Ord)]
4085 pub struct Color(i32);
4086 impl Color {
4087 pub const kViolet: Color = Color(-2147483648);
4088 pub const kRed: Color = Color(-5);
4089 pub const kBlue: Color = Color(-4);
4090 pub const kGreen: Color = Color(3);
4091 pub const kMagenta: Color = Color(2147483647);
4092 }
4093 impl From<i32> for Color {
4094 fn from(value: i32) -> Color {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004095 Color(value)
Teddy Katz76fa42b2022-02-23 01:22:56 +00004096 }
4097 }
4098 impl From<Color> for i32 {
4099 fn from(value: Color) -> i32 {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004100 value.0
Teddy Katz76fa42b2022-02-23 01:22:56 +00004101 }
4102 }
4103 }
4104 );
4105 Ok(())
4106 }
4107
4108 #[test]
4109 fn test_generate_enum_with_32_bit_unsigned_vals() -> Result<()> {
4110 let ir = ir_from_cc("enum Color: unsigned int { kRed, kBlue, kLimeGreen = 4294967295 };")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004111 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katz76fa42b2022-02-23 01:22:56 +00004112 assert_rs_matches!(
4113 rs_api,
4114 quote! {
4115 #[repr(transparent)]
4116 #[derive(Debug, PartialEq, Eq, Copy, Clone, Hash, PartialOrd, Ord)]
4117 pub struct Color(u32);
4118 impl Color {
4119 pub const kRed: Color = Color(0);
4120 pub const kBlue: Color = Color(1);
4121 pub const kLimeGreen: Color = Color(4294967295);
4122 }
4123 impl From<u32> for Color {
4124 fn from(value: u32) -> Color {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004125 Color(value)
Teddy Katz76fa42b2022-02-23 01:22:56 +00004126 }
4127 }
4128 impl From<Color> for u32 {
4129 fn from(value: Color) -> u32 {
Marcel Hlopko872b41a2022-05-10 01:49:33 -07004130 value.0
Teddy Katz76fa42b2022-02-23 01:22:56 +00004131 }
4132 }
4133 }
4134 );
4135 Ok(())
4136 }
4137
4138 #[test]
Michael Forster409d9412021-10-07 08:35:29 +00004139 fn test_doc_comment_func() -> Result<()> {
Marcel Hlopko89547752021-12-10 09:39:41 +00004140 let ir = ir_from_cc(
4141 "
4142 // Doc Comment
4143 // with two lines
4144 int func();",
4145 )?;
Michael Forster409d9412021-10-07 08:35:29 +00004146
Marcel Hlopko89547752021-12-10 09:39:41 +00004147 assert_rs_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004148 generate_bindings_tokens(&ir)?.rs_api,
Marcel Hlopko89547752021-12-10 09:39:41 +00004149 // leading space is intentional so there is a space between /// and the text of the
4150 // comment
4151 quote! {
4152 #[doc = " Doc Comment\n with two lines"]
4153 #[inline(always)]
4154 pub fn func
4155 }
Michael Forster409d9412021-10-07 08:35:29 +00004156 );
4157
4158 Ok(())
4159 }
4160
4161 #[test]
4162 fn test_doc_comment_record() -> Result<()> {
Marcel Hlopko89547752021-12-10 09:39:41 +00004163 let ir = ir_from_cc(
4164 "// Doc Comment\n\
4165 //\n\
4166 // * with bullet\n\
Devin Jeanpierre88343c72022-01-15 01:10:23 +00004167 struct SomeStruct final {\n\
Marcel Hlopko89547752021-12-10 09:39:41 +00004168 // Field doc\n\
4169 int field;\
4170 };",
4171 )?;
Michael Forster028800b2021-10-05 12:39:59 +00004172
Marcel Hlopko89547752021-12-10 09:39:41 +00004173 assert_rs_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004174 generate_bindings_tokens(&ir)?.rs_api,
Marcel Hlopko89547752021-12-10 09:39:41 +00004175 quote! {
4176 #[doc = " Doc Comment\n \n * with bullet"]
4177 #[derive(Clone, Copy)]
4178 #[repr(C)]
4179 pub struct SomeStruct {
4180 # [doc = " Field doc"]
4181 pub field: i32,
4182 }
4183 }
Michael Forstercc5941a2021-10-07 07:12:24 +00004184 );
Michael Forster028800b2021-10-05 12:39:59 +00004185 Ok(())
4186 }
Devin Jeanpierre91de7012021-10-21 12:53:51 +00004187
Devin Jeanpierre96839c12021-12-14 00:27:38 +00004188 #[test]
Teddy Katzd2cd1422022-04-04 09:41:33 -07004189 fn test_basic_union() -> Result<()> {
4190 let ir = ir_from_cc(
4191 r#"
4192 union SomeUnion {
4193 int some_field;
4194 long long some_bigger_field;
4195 };
4196 "#,
4197 )?;
Marcel Hlopko4c29c6f2022-05-04 00:49:14 -07004198 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Teddy Katzd2cd1422022-04-04 09:41:33 -07004199
4200 assert_rs_matches!(
4201 rs_api,
4202 quote! {
4203 #[derive(Clone, Copy)]
4204 #[repr(C)]
4205 pub union SomeUnion {
4206 pub some_field: i32,
4207 pub some_bigger_field: i64,
4208 }
4209 }
4210 );
Marcel Hlopko4c29c6f2022-05-04 00:49:14 -07004211 assert_cc_matches!(
4212 rs_api_impl,
4213 quote! {
4214 extern "C" void __rust_thunk___ZN9SomeUnionC1Ev(union SomeUnion*__this) {...}
4215 }
4216 );
4217 assert_cc_matches!(
4218 rs_api_impl,
4219 quote! {
4220 extern "C" void __rust_thunk___ZN9SomeUnionD1Ev(union SomeUnion*__this) {...}
4221 }
4222 );
4223 assert_cc_matches!(
4224 rs_api_impl,
4225 quote! {
4226 extern "C" union SomeUnion&__rust_thunk___ZN9SomeUnionaSERKS_(
4227 union SomeUnion*__this, const union SomeUnion&__param_0) { ... }
4228 }
4229 );
4230 assert_cc_matches!(rs_api_impl, quote! { static_assert(sizeof(union SomeUnion)==8) });
4231 assert_cc_matches!(rs_api_impl, quote! { static_assert(alignof(union SomeUnion)==8) });
4232 assert_cc_matches!(
4233 rs_api_impl,
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07004234 quote! { static_assert(CRUBIT_OFFSET_OF(some_field, union SomeUnion)==0) }
Marcel Hlopko4c29c6f2022-05-04 00:49:14 -07004235 );
4236 assert_cc_matches!(
4237 rs_api_impl,
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07004238 quote! { static_assert(CRUBIT_OFFSET_OF(some_bigger_field, union SomeUnion)==0) }
Marcel Hlopko4c29c6f2022-05-04 00:49:14 -07004239 );
Teddy Katzd2cd1422022-04-04 09:41:33 -07004240 Ok(())
4241 }
4242
4243 #[test]
Marcel Hlopkof05621b2022-05-25 00:26:06 -07004244 fn test_union_with_opaque_field() -> Result<()> {
4245 let ir = ir_from_cc(
4246 r#"
4247 union MyUnion {
4248 char first_field[56];
4249 int second_field;
4250 };
4251 "#,
4252 )?;
4253 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
4254
4255 assert_rs_matches!(
4256 rs_api,
4257 quote! {
4258 #[repr(C, align(4))]
4259 pub union MyUnion { ...
4260 first_field: [crate::rust_std::mem::MaybeUninit<u8>; 56],
4261 pub second_field: i32,
4262 }
4263 }
4264 );
4265
4266 assert_rs_matches!(
4267 rs_api,
4268 quote! { const _: () = assert!(rust_std::mem::size_of::<crate::MyUnion>() == 56); }
4269 );
4270 assert_rs_matches!(
4271 rs_api,
4272 quote! { const _: () = assert!(rust_std::mem::align_of::<crate::MyUnion>() == 4); }
4273 );
4274 Ok(())
4275 }
4276
4277 #[test]
Marcel Hlopkofa9a3952022-05-10 01:34:13 -07004278 // TODO(https://github.com/Gilnaa/memoffset/issues/66): generate assertions for unions once
4279 // offsetof supports them.
4280 fn test_currently_no_offset_assertions_for_unions() -> Result<()> {
4281 let ir = ir_from_cc(
4282 r#"
4283 union SomeUnion {
4284 int some_field;
4285 long long some_bigger_field;
4286 };
4287 "#,
4288 )?;
4289 let BindingsTokens { rs_api, .. } = generate_bindings_tokens(&ir)?;
4290
4291 assert_rs_not_matches!(rs_api, quote! { offset_of! });
4292 Ok(())
4293 }
4294
4295 #[test]
Teddy Katzd2cd1422022-04-04 09:41:33 -07004296 fn test_union_with_private_fields() -> Result<()> {
4297 let ir = ir_from_cc(
4298 r#"
4299 union SomeUnionWithPrivateFields {
4300 public:
4301 int public_field;
4302 private:
4303 long long private_field;
4304 };
4305 "#,
4306 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004307 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katzd2cd1422022-04-04 09:41:33 -07004308
4309 assert_rs_matches!(
4310 rs_api,
4311 quote! {
4312 #[derive(Clone, Copy)]
Lukasz Anforowiczdf8fcae2022-06-02 14:54:43 -07004313 #[repr(C, align(8))]
Teddy Katzd2cd1422022-04-04 09:41:33 -07004314 pub union SomeUnionWithPrivateFields {
4315 pub public_field: i32,
Lukasz Anforowiczdf8fcae2022-06-02 14:54:43 -07004316 #[doc = " Reason for representing this field as a blob of bytes:\n Types of non-public C++ fields can be elided away"]
Rosica Dejanovska6676ad82022-06-07 14:28:59 -07004317 pub(crate) private_field: [crate::rust_std::mem::MaybeUninit<u8>; 8],
Teddy Katzd2cd1422022-04-04 09:41:33 -07004318 }
4319 }
4320 );
4321
4322 assert_rs_matches!(
4323 rs_api,
4324 quote! {
Lukasz Anforowiczdc37d6d2022-05-17 08:20:13 -07004325 const _: () = assert!(rust_std::mem::size_of::<crate::SomeUnionWithPrivateFields>() == 8);
4326 const _: () = assert!(rust_std::mem::align_of::<crate::SomeUnionWithPrivateFields>() == 8);
Teddy Katzd2cd1422022-04-04 09:41:33 -07004327 const _: () = {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004328 static_assertions::assert_impl_all!(crate::SomeUnionWithPrivateFields: Clone);
Teddy Katzd2cd1422022-04-04 09:41:33 -07004329 };
4330 const _: () = {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004331 static_assertions::assert_impl_all!(crate::SomeUnionWithPrivateFields: Copy);
Teddy Katzd2cd1422022-04-04 09:41:33 -07004332 };
4333 const _: () = {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004334 static_assertions::assert_not_impl_all!(crate::SomeUnionWithPrivateFields: Drop);
Teddy Katzd2cd1422022-04-04 09:41:33 -07004335 };
Teddy Katzd2cd1422022-04-04 09:41:33 -07004336 }
4337 );
4338 Ok(())
4339 }
4340
4341 #[test]
Marcel Hlopko45465732022-05-24 00:51:04 -07004342 fn test_nontrivial_unions() -> Result<()> {
4343 let ir = ir_from_cc_dependency(
4344 r#"
4345 union UnionWithNontrivialField {
4346 NonTrivialStruct my_field;
4347 };
4348 "#,
4349 r#"
4350 struct NonTrivialStruct {
4351 NonTrivialStruct(NonTrivialStruct&&);
4352 };
4353 "#,
4354 )?;
4355 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
4356
4357 assert_rs_not_matches!(rs_api, quote! {derive ( ... Copy ... )});
4358 assert_rs_not_matches!(rs_api, quote! {derive ( ... Clone ... )});
Devin Jeanpierre190b90a2022-05-24 06:00:34 -07004359 assert_rs_matches!(
4360 rs_api,
4361 quote! {
4362 #[ctor::recursively_pinned]
4363 #[repr(C)]
4364 pub union UnionWithNontrivialField { ... }
4365 }
4366 );
Marcel Hlopko45465732022-05-24 00:51:04 -07004367 Ok(())
4368 }
4369
4370 #[test]
Devin Jeanpierre1221c2a2022-05-05 22:36:22 -07004371 fn test_empty_struct() -> Result<()> {
4372 let ir = ir_from_cc(
4373 r#"
4374 struct EmptyStruct final {};
4375 "#,
4376 )?;
4377 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
4378
4379 assert_rs_matches!(
4380 rs_api,
4381 quote! {
4382 #[derive(Clone, Copy)]
4383 #[repr(C)]
4384 pub struct EmptyStruct {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004385 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 1],
Devin Jeanpierre1221c2a2022-05-05 22:36:22 -07004386 }
4387 }
4388 );
4389
4390 assert_rs_matches!(
4391 rs_api,
4392 quote! {
Lukasz Anforowiczdc37d6d2022-05-17 08:20:13 -07004393 const _: () = assert!(rust_std::mem::size_of::<crate::EmptyStruct>() == 1);
4394 const _: () = assert!(rust_std::mem::align_of::<crate::EmptyStruct>() == 1);
Devin Jeanpierre1221c2a2022-05-05 22:36:22 -07004395 }
4396 );
4397
4398 Ok(())
4399 }
4400
4401 #[test]
Teddy Katzd2cd1422022-04-04 09:41:33 -07004402 fn test_empty_union() -> Result<()> {
4403 let ir = ir_from_cc(
4404 r#"
4405 union EmptyUnion {};
4406 "#,
4407 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004408 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katzd2cd1422022-04-04 09:41:33 -07004409
4410 assert_rs_matches!(
4411 rs_api,
4412 quote! {
4413 #[derive(Clone, Copy)]
4414 #[repr(C)]
4415 pub union EmptyUnion {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004416 __non_field_data: [crate::rust_std::mem::MaybeUninit<u8>; 1],
Teddy Katzd2cd1422022-04-04 09:41:33 -07004417 }
4418 }
4419 );
4420
4421 assert_rs_matches!(
4422 rs_api,
4423 quote! {
Lukasz Anforowiczdc37d6d2022-05-17 08:20:13 -07004424 const _: () = assert!(rust_std::mem::size_of::<crate::EmptyUnion>() == 1);
4425 const _: () = assert!(rust_std::mem::align_of::<crate::EmptyUnion>() == 1);
Teddy Katzd2cd1422022-04-04 09:41:33 -07004426 }
4427 );
4428
4429 Ok(())
4430 }
4431
4432 #[test]
4433 fn test_union_field_with_nontrivial_destructor() -> Result<()> {
4434 let ir = ir_from_cc(
4435 r#"
4436 struct NontrivialStruct { ~NontrivialStruct(); };
4437 union UnionWithNontrivialField {
4438 int trivial_field;
4439 NontrivialStruct nontrivial_field;
4440 };
4441 "#,
4442 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004443 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katzd2cd1422022-04-04 09:41:33 -07004444
4445 assert_rs_matches!(
4446 rs_api,
4447 quote! {
Teddy Katzd2cd1422022-04-04 09:41:33 -07004448 #[repr(C)]
4449 pub union UnionWithNontrivialField {
4450 pub trivial_field: i32,
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004451 pub nontrivial_field: crate::rust_std::mem::ManuallyDrop<crate::NontrivialStruct>,
Teddy Katzd2cd1422022-04-04 09:41:33 -07004452 }
4453 }
4454 );
4455
4456 assert_rs_matches!(
4457 rs_api,
4458 quote! {
Lukasz Anforowiczdc37d6d2022-05-17 08:20:13 -07004459 const _: () = assert!(rust_std::mem::size_of::<crate::UnionWithNontrivialField>() == 4);
4460 const _: () = assert!(rust_std::mem::align_of::<crate::UnionWithNontrivialField>() == 4);
Teddy Katzd2cd1422022-04-04 09:41:33 -07004461 }
4462 );
4463 Ok(())
4464 }
4465
4466 #[test]
4467 fn test_union_with_constructors() -> Result<()> {
4468 let ir = ir_from_cc(
4469 r#"
4470 #pragma clang lifetime_elision
4471 union UnionWithDefaultConstructors {
4472 int a;
4473 };
4474 "#,
4475 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004476 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Teddy Katzd2cd1422022-04-04 09:41:33 -07004477
4478 assert_rs_matches!(
4479 rs_api,
4480 quote! {
4481 #[derive(Clone, Copy)]
4482 #[repr(C)]
4483 pub union UnionWithDefaultConstructors {
4484 pub a: i32,
4485 }
4486 }
4487 );
4488
4489 assert_rs_matches!(
4490 rs_api,
4491 quote! {
4492 impl Default for UnionWithDefaultConstructors {
4493 #[inline(always)]
4494 fn default() -> Self {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004495 let mut tmp = crate::rust_std::mem::MaybeUninit::<Self>::zeroed();
Teddy Katzd2cd1422022-04-04 09:41:33 -07004496 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004497 crate::detail::__rust_thunk___ZN28UnionWithDefaultConstructorsC1Ev(&mut tmp);
Teddy Katzd2cd1422022-04-04 09:41:33 -07004498 tmp.assume_init()
4499 }
4500 }
4501 }
4502 }
4503 );
4504
4505 assert_rs_matches!(
4506 rs_api,
4507 quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004508 impl<'b> From<ctor::RvalueReference<'b, crate::UnionWithDefaultConstructors>> for UnionWithDefaultConstructors {
Teddy Katzd2cd1422022-04-04 09:41:33 -07004509 #[inline(always)]
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004510 fn from(__param_0: ctor::RvalueReference<'b, crate::UnionWithDefaultConstructors>) -> Self {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004511 let mut tmp = crate::rust_std::mem::MaybeUninit::<Self>::zeroed();
Teddy Katzd2cd1422022-04-04 09:41:33 -07004512 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004513 crate::detail::__rust_thunk___ZN28UnionWithDefaultConstructorsC1EOS_(&mut tmp, __param_0);
Teddy Katzd2cd1422022-04-04 09:41:33 -07004514 tmp.assume_init()
4515 }
4516 }
4517 }
4518 }
4519 );
4520
4521 Ok(())
4522 }
4523
4524 #[test]
Devin Jeanpierre56777022022-02-03 01:57:15 +00004525 fn test_unambiguous_public_bases() -> Result<()> {
4526 let ir = ir_from_cc_dependency(
4527 "
4528 struct VirtualBase {};
4529 struct PrivateBase {};
4530 struct ProtectedBase {};
4531 struct UnambiguousPublicBase {};
4532 struct AmbiguousPublicBase {};
4533 struct MultipleInheritance : UnambiguousPublicBase, AmbiguousPublicBase {};
4534 struct Derived : private PrivateBase, protected ProtectedBase, MultipleInheritance, AmbiguousPublicBase, virtual VirtualBase {};
4535 ",
4536 "",
4537 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004538 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07004539 assert_rs_matches!(
4540 rs_api,
4541 quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004542 unsafe impl oops::Inherits<crate::VirtualBase> for Derived {
4543 unsafe fn upcast_ptr(derived: *const Self) -> *const crate::VirtualBase {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004544 crate::detail::__crubit_dynamic_upcast__Derived__to__VirtualBase(derived)
Devin Jeanpierref99db3e2022-04-27 23:10:33 -07004545 }
4546 }
4547 }
4548 );
Devin Jeanpierreb368e682022-05-03 02:23:44 -07004549 assert_rs_matches!(
4550 rs_api,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004551 quote! { unsafe impl oops::Inherits<crate::UnambiguousPublicBase> for Derived }
Devin Jeanpierreb368e682022-05-03 02:23:44 -07004552 );
4553 assert_rs_matches!(
4554 rs_api,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004555 quote! { unsafe impl oops::Inherits<crate::MultipleInheritance> for Derived }
Devin Jeanpierreb368e682022-05-03 02:23:44 -07004556 );
4557 assert_rs_not_matches!(
4558 rs_api,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004559 quote! {unsafe impl oops::Inherits<crate::PrivateBase> for Derived}
Devin Jeanpierreb368e682022-05-03 02:23:44 -07004560 );
4561 assert_rs_not_matches!(
4562 rs_api,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004563 quote! {unsafe impl oops::Inherits<crate::ProtectedBase> for Derived}
Devin Jeanpierreb368e682022-05-03 02:23:44 -07004564 );
4565 assert_rs_not_matches!(
4566 rs_api,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004567 quote! {unsafe impl oops::Inherits<crate::AmbiguousPublicBase> for Derived}
Devin Jeanpierreb368e682022-05-03 02:23:44 -07004568 );
Devin Jeanpierre56777022022-02-03 01:57:15 +00004569 Ok(())
4570 }
4571
4572 /// Contrary to intuitions: a base class conversion is ambiguous even if the
4573 /// ambiguity is from a private base class cast that you can't even
4574 /// perform.
4575 ///
4576 /// Explanation (courtesy James Dennett):
4577 ///
4578 /// > Once upon a time, there was a rule in C++ that changing all access
4579 /// > specifiers to "public" would not change the meaning of code.
4580 /// > That's no longer true, but some of its effects can still be seen.
4581 ///
4582 /// So, we need to be sure to not allow casting to privately-ambiguous
4583 /// bases.
4584 #[test]
4585 fn test_unambiguous_public_bases_private_ambiguity() -> Result<()> {
4586 let ir = ir_from_cc_dependency(
4587 "
4588 struct Base {};
4589 struct Intermediate : public Base {};
4590 struct Derived : Base, private Intermediate {};
4591 ",
4592 "",
4593 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004594 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004595 assert_rs_not_matches!(
4596 rs_api,
4597 quote! { unsafe impl oops::Inherits<crate::Base> for Derived }
4598 );
Devin Jeanpierre56777022022-02-03 01:57:15 +00004599 Ok(())
4600 }
4601
4602 #[test]
Devin Jeanpierre96839c12021-12-14 00:27:38 +00004603 fn test_virtual_thunk() -> Result<()> {
4604 let ir = ir_from_cc("struct Polymorphic { virtual void Foo(); };")?;
4605
4606 assert_cc_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004607 generate_bindings_tokens(&ir)?.rs_api_impl,
Devin Jeanpierre96839c12021-12-14 00:27:38 +00004608 quote! {
Googler972d3582022-01-11 10:17:22 +00004609 extern "C" void __rust_thunk___ZN11Polymorphic3FooEv(class Polymorphic * __this)
Devin Jeanpierre96839c12021-12-14 00:27:38 +00004610 }
4611 );
4612 Ok(())
4613 }
4614
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00004615 #[test]
4616 fn test_custom_abi_thunk() -> Result<()> {
4617 let ir = ir_from_cc(
4618 r#"
4619 float f_vectorcall_calling_convention(float p1, float p2) [[clang::vectorcall]];
4620 double f_c_calling_convention(double p1, double p2);
4621 "#,
4622 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004623 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00004624 assert_rs_matches!(
4625 rs_api,
4626 quote! {
4627 #[inline(always)]
4628 pub fn f_vectorcall_calling_convention(p1: f32, p2: f32) -> f32 {
4629 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004630 crate::detail::__rust_thunk___Z31f_vectorcall_calling_conventionff(p1, p2)
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00004631 }
4632 }
4633 }
4634 );
4635 assert_rs_matches!(
4636 rs_api,
4637 quote! {
4638 #[inline(always)]
4639 pub fn f_c_calling_convention(p1: f64, p2: f64) -> f64 {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004640 unsafe { crate::detail::__rust_thunk___Z22f_c_calling_conventiondd(p1, p2) }
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00004641 }
4642 }
4643 );
4644 // `link_name` (i.e. no thunk) for `f_c_calling_convention`. No
4645 // `link_name` (i.e. indicates presence of a thunk) for
4646 // `f_vectorcall_calling_convention`.
4647 assert_rs_matches!(
4648 rs_api,
4649 quote! {
4650 mod detail {
4651 #[allow(unused_imports)]
4652 use super::*;
4653 extern "C" {
4654 pub(crate) fn __rust_thunk___Z31f_vectorcall_calling_conventionff(
4655 p1: f32, p2: f32) -> f32;
4656 #[link_name = "_Z22f_c_calling_conventiondd"]
4657 pub(crate) fn __rust_thunk___Z22f_c_calling_conventiondd(
4658 p1: f64, p2: f64) -> f64;
4659 }
4660 }
4661 }
4662 );
4663 // C++ thunk needed for `f_vectorcall_calling_convention`.
4664 assert_cc_matches!(
4665 rs_api_impl,
4666 quote! {
4667 extern "C" float __rust_thunk___Z31f_vectorcall_calling_conventionff(
4668 float p1, float p2) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07004669 return f_vectorcall_calling_convention (std::forward<decltype(p1)>(p1), std::forward<decltype(p2)>(p2));
Lukasz Anforowicz0b6a6ac2022-03-22 22:32:23 +00004670 }
4671 }
4672 );
4673 // No C++ thunk expected for `f_c_calling_convention`.
4674 assert_cc_not_matches!(rs_api_impl, quote! { f_c_calling_convention });
4675 Ok(())
4676 }
4677
Devin Jeanpierree6e16652021-12-22 15:54:46 +00004678 /// A trivially relocatable final struct is safe to use in Rust as normal,
4679 /// and is Unpin.
4680 #[test]
4681 fn test_no_negative_impl_unpin() -> Result<()> {
4682 let ir = ir_from_cc("struct Trivial final {};")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004683 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07004684 assert_rs_not_matches!(rs_api, quote! {#[ctor::recursively_pinned]});
Devin Jeanpierree6e16652021-12-22 15:54:46 +00004685 Ok(())
4686 }
4687
4688 /// A non-final struct, even if it's trivial, is not usable by mut
4689 /// reference, and so is !Unpin.
4690 #[test]
4691 fn test_negative_impl_unpin_nonfinal() -> Result<()> {
4692 let ir = ir_from_cc("struct Nonfinal {};")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004693 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07004694 assert_rs_matches!(rs_api, quote! {#[ctor::recursively_pinned]});
Devin Jeanpierree6e16652021-12-22 15:54:46 +00004695 Ok(())
4696 }
4697
Devin Jeanpierre91de7012021-10-21 12:53:51 +00004698 /// At the least, a trivial type should have no drop impl if or until we add
4699 /// empty drop impls.
4700 #[test]
4701 fn test_no_impl_drop() -> Result<()> {
Googler7cced422021-12-06 11:58:39 +00004702 let ir = ir_from_cc("struct Trivial {};")?;
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07004703 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
4704 assert_rs_not_matches!(rs_api, quote! {impl Drop});
4705 assert_rs_not_matches!(rs_api, quote! {impl ::ctor::PinnedDrop});
Devin Jeanpierre91de7012021-10-21 12:53:51 +00004706 Ok(())
4707 }
4708
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004709 /// User-defined destructors *must* become Drop impls with ManuallyDrop
4710 /// fields
Devin Jeanpierre91de7012021-10-21 12:53:51 +00004711 #[test]
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004712 fn test_impl_drop_user_defined_destructor() -> Result<()> {
Googler7cced422021-12-06 11:58:39 +00004713 let ir = ir_from_cc(
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00004714 r#" struct NontrivialStruct { ~NontrivialStruct(); };
4715 struct UserDefinedDestructor {
Devin Jeanpierre91de7012021-10-21 12:53:51 +00004716 ~UserDefinedDestructor();
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004717 int x;
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00004718 NontrivialStruct nts;
Devin Jeanpierre91de7012021-10-21 12:53:51 +00004719 };"#,
4720 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004721 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004722 assert_rs_matches!(
4723 rs_api,
4724 quote! {
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07004725 impl ::ctor::PinnedDrop for UserDefinedDestructor {
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004726 #[inline(always)]
Devin Jeanpierre108e9c02022-06-02 07:10:09 -07004727 unsafe fn pinned_drop<'a>(self: crate::rust_std::pin::Pin<&'a mut Self>) {
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07004728 crate::detail::__rust_thunk___ZN21UserDefinedDestructorD1Ev(self)
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004729 }
4730 }
4731 }
4732 );
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00004733 assert_rs_matches!(rs_api, quote! {pub x: i32,});
Rosica Dejanovskaaccf00b2022-04-01 13:28:04 -07004734 assert_rs_matches!(
4735 rs_api,
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004736 quote! {pub nts: crate::rust_std::mem::ManuallyDrop<crate::NontrivialStruct>,}
Rosica Dejanovskaaccf00b2022-04-01 13:28:04 -07004737 );
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004738 Ok(())
4739 }
4740
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004741 /// nontrivial types without user-defined destructors should invoke
4742 /// the C++ destructor to preserve the order of field destructions.
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004743 #[test]
4744 fn test_impl_drop_nontrivial_member_destructor() -> Result<()> {
4745 // TODO(jeanpierreda): This would be cleaner if the UserDefinedDestructor code were
4746 // omitted. For example, we simulate it so that UserDefinedDestructor
4747 // comes from another library.
Googler7cced422021-12-06 11:58:39 +00004748 let ir = ir_from_cc(
Devin Jeanpierre88343c72022-01-15 01:10:23 +00004749 r#"struct UserDefinedDestructor final {
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004750 ~UserDefinedDestructor();
4751 };
Devin Jeanpierre88343c72022-01-15 01:10:23 +00004752 struct TrivialStruct final { int i; };
4753 struct NontrivialMembers final {
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004754 UserDefinedDestructor udd;
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00004755 TrivialStruct ts;
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004756 int x;
4757 };"#,
4758 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004759 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004760 assert_rs_matches!(
4761 rs_api,
4762 quote! {
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07004763 impl ::ctor::PinnedDrop for NontrivialMembers {
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004764 #[inline(always)]
Devin Jeanpierre108e9c02022-06-02 07:10:09 -07004765 unsafe fn pinned_drop<'a>(self: crate::rust_std::pin::Pin<&'a mut Self>) {
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07004766 crate::detail::__rust_thunk___ZN17NontrivialMembersD1Ev(self)
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004767 }
4768 }
4769 }
4770 );
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00004771 assert_rs_matches!(rs_api, quote! {pub x: i32,});
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004772 assert_rs_matches!(rs_api, quote! {pub ts: crate::TrivialStruct,});
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004773 assert_rs_matches!(
4774 rs_api,
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004775 quote! {pub udd: crate::rust_std::mem::ManuallyDrop<crate::UserDefinedDestructor>,}
Lukasz Anforowicz6d553632022-01-06 21:36:14 +00004776 );
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004777 Ok(())
4778 }
4779
4780 /// Trivial types (at least those that are mapped to Copy rust types) do not
4781 /// get a Drop impl.
4782 #[test]
4783 fn test_impl_drop_trivial() -> Result<()> {
Googler7cced422021-12-06 11:58:39 +00004784 let ir = ir_from_cc(
Devin Jeanpierre88343c72022-01-15 01:10:23 +00004785 r#"struct Trivial final {
Devin Jeanpierre7e9a1de2021-12-03 08:04:22 +00004786 ~Trivial() = default;
4787 int x;
4788 };"#,
4789 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004790 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Marcel Hlopko89547752021-12-10 09:39:41 +00004791 assert_rs_not_matches!(rs_api, quote! {impl Drop});
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07004792 assert_rs_not_matches!(rs_api, quote! {impl ::ctor::PinnedDrop});
Marcel Hlopko89547752021-12-10 09:39:41 +00004793 assert_rs_matches!(rs_api, quote! {pub x: i32});
Lukasz Anforowicz2f074162022-01-06 22:50:51 +00004794 // TODO(b/213326125): Avoid generating thunk impls that are never called.
4795 // (The test assertion below should be reversed once this bug is fixed.)
4796 assert_cc_matches!(rs_api_impl, quote! { std::destroy_at });
Devin Jeanpierre91de7012021-10-21 12:53:51 +00004797 Ok(())
4798 }
Devin Jeanpierre45cb1162021-10-27 10:54:28 +00004799
4800 #[test]
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00004801 fn test_impl_default_explicitly_defaulted_constructor() -> Result<()> {
4802 let ir = ir_from_cc(
Lukasz Anforowicz95551272022-01-20 00:02:24 +00004803 r#"#pragma clang lifetime_elision
4804 struct DefaultedConstructor final {
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00004805 DefaultedConstructor() = default;
4806 };"#,
4807 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004808 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00004809 assert_rs_matches!(
4810 rs_api,
4811 quote! {
4812 impl Default for DefaultedConstructor {
4813 #[inline(always)]
4814 fn default() -> Self {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004815 let mut tmp = crate::rust_std::mem::MaybeUninit::<Self>::zeroed();
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00004816 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004817 crate::detail::__rust_thunk___ZN20DefaultedConstructorC1Ev(&mut tmp);
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00004818 tmp.assume_init()
4819 }
4820 }
4821 }
4822 }
4823 );
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00004824 assert_cc_matches!(
4825 rs_api_impl,
4826 quote! {
4827 extern "C" void __rust_thunk___ZN20DefaultedConstructorC1Ev(
Googler972d3582022-01-11 10:17:22 +00004828 class DefaultedConstructor* __this) {
Lukasz Anforowicz23171542022-04-11 15:26:17 -07004829 crubit::construct_at (std::forward<decltype(__this)>(__this)) ;
Lukasz Anforowicze643ec92021-12-22 15:45:15 +00004830 }
4831 }
4832 );
4833 Ok(())
4834 }
4835
4836 #[test]
Lukasz Anforowicz326c4e42022-01-27 14:43:00 +00004837 fn test_impl_clone_that_propagates_lifetime() -> Result<()> {
4838 // This test covers the case where a single lifetime applies to 1)
4839 // the `__this` parameter and 2) other constructor parameters. For
4840 // example, maybe the newly constructed object needs to have the
4841 // same lifetime as the constructor's parameter. (This might require
4842 // annotating the whole C++ struct with a lifetime, so maybe the
4843 // example below is not fully realistic/accurate...).
4844 let mut ir = ir_from_cc(
4845 r#"#pragma clang lifetime_elision
4846 struct Foo final {
Googler53f65942022-02-23 11:23:30 +00004847 [[clang::annotate("lifetimes", "a: a")]]
Lukasz Anforowicz326c4e42022-01-27 14:43:00 +00004848 Foo(const int& i);
4849 };"#,
4850 )?;
4851 let ctor: &mut Func = ir
4852 .items_mut()
4853 .filter_map(|item| match item {
4854 Item::Func(func) => Some(func),
4855 _ => None,
4856 })
4857 .find(|f| {
4858 matches!(&f.name, UnqualifiedIdentifier::Constructor)
4859 && f.params.get(1).map(|p| p.identifier.identifier == "i").unwrap_or_default()
4860 })
4861 .unwrap();
4862 {
4863 // Double-check that the test scenario set up above uses the same lifetime
4864 // for both of the constructor's parameters: `__this` and `i`.
4865 assert_eq!(ctor.params.len(), 2);
4866 let this_lifetime: LifetimeId =
4867 *ctor.params[0].type_.rs_type.lifetime_args.first().unwrap();
4868 let i_lifetime: LifetimeId =
4869 *ctor.params[1].type_.rs_type.lifetime_args.first_mut().unwrap();
4870 assert_eq!(i_lifetime, this_lifetime);
4871 }
4872
4873 // Before cl/423346348 the generated Rust code would incorrectly look
4874 // like this (note the mismatched 'a and 'b lifetimes):
4875 // fn from<'b>(i: &'a i32) -> Self
4876 // After this CL, this scenario will result in an explicit error.
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004877 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierred7b48102022-03-31 04:15:03 -07004878 assert_rs_not_matches!(rs_api, quote! {impl From});
4879 let rs_api_str = tokens_to_string(rs_api)?;
4880 assert!(rs_api_str.contains(
4881 "// The lifetime of `__this` is unexpectedly also used by another parameter"
4882 ));
Lukasz Anforowicz326c4e42022-01-27 14:43:00 +00004883 Ok(())
4884 }
4885
4886 #[test]
Lukasz Anforowicz9bab8352021-12-22 17:35:31 +00004887 fn test_impl_default_non_trivial_struct() -> Result<()> {
4888 let ir = ir_from_cc(
Lukasz Anforowicz71716b72022-01-26 17:05:05 +00004889 r#"#pragma clang lifetime_elision
4890 struct NonTrivialStructWithConstructors final {
Lukasz Anforowicz9bab8352021-12-22 17:35:31 +00004891 NonTrivialStructWithConstructors();
4892 ~NonTrivialStructWithConstructors(); // Non-trivial
4893 };"#,
4894 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004895 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowicz9bab8352021-12-22 17:35:31 +00004896 assert_rs_not_matches!(rs_api, quote! {impl Default});
4897 Ok(())
4898 }
4899
4900 #[test]
Lukasz Anforowicz71716b72022-01-26 17:05:05 +00004901 fn test_impl_from_for_explicit_conversion_constructor() -> Result<()> {
4902 let ir = ir_from_cc(
4903 r#"#pragma clang lifetime_elision
4904 struct SomeStruct final {
4905 explicit SomeStruct(int i);
4906 };"#,
4907 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004908 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowicz71716b72022-01-26 17:05:05 +00004909 // As discussed in b/214020567 for now we only generate `From::from` bindings
4910 // for *implicit* C++ conversion constructors.
4911 assert_rs_not_matches!(rs_api, quote! {impl From});
4912 Ok(())
4913 }
4914
4915 #[test]
4916 fn test_impl_from_for_implicit_conversion_constructor() -> Result<()> {
4917 let ir = ir_from_cc(
4918 r#"#pragma clang lifetime_elision
4919 struct SomeStruct final {
4920 SomeStruct(int i); // implicit - no `explicit` keyword
4921 };"#,
4922 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004923 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowicz71716b72022-01-26 17:05:05 +00004924 // As discussed in b/214020567 we generate `From::from` bindings for
4925 // *implicit* C++ conversion constructors.
4926 assert_rs_matches!(
4927 rs_api,
4928 quote! {
4929 impl From<i32> for SomeStruct {
4930 #[inline(always)]
4931 fn from(i: i32) -> Self {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004932 let mut tmp = crate::rust_std::mem::MaybeUninit::<Self>::zeroed();
Lukasz Anforowicz71716b72022-01-26 17:05:05 +00004933 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004934 crate::detail::__rust_thunk___ZN10SomeStructC1Ei(&mut tmp, i);
Lukasz Anforowicz71716b72022-01-26 17:05:05 +00004935 tmp.assume_init()
4936 }
4937 }
4938 }
4939 }
4940 );
4941 Ok(())
4942 }
4943
4944 #[test]
Lukasz Anforowicz5e623782022-03-14 16:52:23 +00004945 fn test_impl_from_for_implicit_conversion_from_reference() -> Result<()> {
4946 let ir = ir_from_cc(
4947 r#"#pragma clang lifetime_elision
4948 struct SomeOtherStruct final { int i; };
4949 struct StructUnderTest final {
4950 StructUnderTest(const SomeOtherStruct& other); // implicit - no `explicit` keyword
4951 };"#,
4952 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004953 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowicz5e623782022-03-14 16:52:23 +00004954 // This is a regression test for b/223800038: We want to ensure that the
4955 // code says `impl<'b>` (instead of incorrectly declaring that lifetime
4956 // in `fn from<'b>`).
4957 assert_rs_matches!(
4958 rs_api,
4959 quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004960 impl<'b> From<&'b crate::SomeOtherStruct> for StructUnderTest {
Lukasz Anforowicz5e623782022-03-14 16:52:23 +00004961 #[inline(always)]
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004962 fn from(other: &'b crate::SomeOtherStruct) -> Self {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004963 let mut tmp = crate::rust_std::mem::MaybeUninit::<Self>::zeroed();
Lukasz Anforowicz5e623782022-03-14 16:52:23 +00004964 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004965 crate::detail::__rust_thunk___ZN15StructUnderTestC1ERK15SomeOtherStruct(
Lukasz Anforowicz5e623782022-03-14 16:52:23 +00004966 &mut tmp, other);
4967 tmp.assume_init()
4968 }
4969 }
4970 }
4971 },
4972 );
4973 Ok(())
4974 }
4975
4976 #[test]
Lukasz Anforowicz732ca642022-02-03 20:58:38 +00004977 fn test_impl_eq_for_member_function() -> Result<()> {
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00004978 let ir = ir_from_cc(
4979 r#"#pragma clang lifetime_elision
4980 struct SomeStruct final {
4981 inline bool operator==(const SomeStruct& other) const {
4982 return i == other.i;
4983 }
4984 int i;
4985 };"#,
4986 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07004987 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00004988 assert_rs_matches!(
4989 rs_api,
4990 quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004991 impl PartialEq<crate::SomeStruct> for SomeStruct {
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00004992 #[inline(always)]
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07004993 fn eq<'a, 'b>(&'a self, other: &'b crate::SomeStruct) -> bool {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07004994 unsafe { crate::detail::__rust_thunk___ZNK10SomeStructeqERKS_(self, other) }
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00004995 }
4996 }
4997 }
4998 );
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00004999 assert_cc_matches!(
5000 rs_api_impl,
5001 quote! {
5002 extern "C" bool __rust_thunk___ZNK10SomeStructeqERKS_(
5003 const class SomeStruct* __this, const class SomeStruct& other) {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07005004 return __this->operator==(std::forward<decltype(other)>(other));
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00005005 }
5006 }
5007 );
5008 Ok(())
5009 }
5010
5011 #[test]
Lukasz Anforowicz732ca642022-02-03 20:58:38 +00005012 fn test_impl_eq_for_free_function() -> Result<()> {
5013 let ir = ir_from_cc(
5014 r#"#pragma clang lifetime_elision
5015 struct SomeStruct final { int i; };
5016 bool operator==(const SomeStruct& lhs, const SomeStruct& rhs) {
5017 return lhs.i == rhs.i;
5018 }"#,
5019 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005020 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowicz732ca642022-02-03 20:58:38 +00005021 assert_rs_matches!(
5022 rs_api,
5023 quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07005024 impl PartialEq<crate::SomeStruct> for SomeStruct {
Lukasz Anforowicz732ca642022-02-03 20:58:38 +00005025 #[inline(always)]
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07005026 fn eq<'a, 'b>(&'a self, rhs: &'b crate::SomeStruct) -> bool {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005027 unsafe { crate::detail::__rust_thunk___ZeqRK10SomeStructS1_(self, rhs) }
Lukasz Anforowicz732ca642022-02-03 20:58:38 +00005028 }
5029 }
5030 }
5031 );
5032 Ok(())
5033 }
5034
5035 #[test]
Devin Jeanpierre9ced4ef2022-06-08 12:39:10 -07005036 fn test_assign() -> Result<()> {
5037 let ir = ir_from_cc(
5038 r#"
5039 #pragma clang lifetime_elision
5040 struct SomeStruct {
5041 SomeStruct& operator=(const SomeStruct& other);
5042 };"#,
5043 )?;
5044 let BindingsTokens { rs_api, .. } = generate_bindings_tokens(&ir)?;
5045 assert_rs_matches!(
5046 rs_api,
5047 quote! {
5048 impl<'b> ::ctor::Assign<&'b crate::SomeStruct> for SomeStruct {
5049 #[inline(always)]
5050 fn assign<'a>(self: crate::rust_std::pin::Pin<&'a mut Self>, other: &'b crate::SomeStruct) {
5051 unsafe {
5052 crate::detail::__rust_thunk___ZN10SomeStructaSERKS_(self, other);
5053 }
5054 }
5055 }
5056 }
5057 );
5058 Ok(())
5059 }
5060
5061 #[test]
5062 fn test_assign_nonreference_other() -> Result<()> {
5063 let ir = ir_from_cc(
5064 r#"
5065 #pragma clang lifetime_elision
5066 struct SomeStruct {
5067 SomeStruct& operator=(int other);
5068 };"#,
5069 )?;
5070 let BindingsTokens { rs_api, .. } = generate_bindings_tokens(&ir)?;
5071 assert_rs_matches!(
5072 rs_api,
5073 quote! {
5074 impl<'b> ::ctor::Assign<&'b crate::SomeStruct> for SomeStruct {
5075 #[inline(always)]
5076 fn assign<'a>(self: crate::rust_std::pin::Pin<&'a mut Self>, __param_0: &'b crate::SomeStruct) {
5077 unsafe {
5078 crate::detail::__rust_thunk___ZN10SomeStructaSERKS_(self, __param_0);
5079 }
5080 }
5081 }
5082 }
5083 );
5084 Ok(())
5085 }
5086
5087 #[test]
5088 fn test_assign_nonreference_return() -> Result<()> {
5089 let ir = ir_from_cc(
5090 r#"
5091 #pragma clang lifetime_elision
5092 struct SomeStruct {
5093 int operator=(const SomeStruct& other);
5094 };"#,
5095 )?;
5096 let BindingsTokens { rs_api, .. } = generate_bindings_tokens(&ir)?;
5097 assert_rs_matches!(
5098 rs_api,
5099 quote! {
5100 impl<'b> ::ctor::Assign<&'b crate::SomeStruct> for SomeStruct {
5101 #[inline(always)]
5102 fn assign<'a>(self: crate::rust_std::pin::Pin<&'a mut Self>, other: &'b crate::SomeStruct) {
5103 unsafe {
5104 crate::detail::__rust_thunk___ZN10SomeStructaSERKS_(self, other);
5105 }
5106 }
5107 }
5108 }
5109 );
5110 Ok(())
5111 }
5112
5113 #[test]
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00005114 fn test_impl_eq_non_const_member_function() -> Result<()> {
5115 let ir = ir_from_cc(
5116 r#"#pragma clang lifetime_elision
5117 struct SomeStruct final {
5118 bool operator==(const SomeStruct& other) /* no `const` here */;
5119 };"#,
5120 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005121 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00005122 assert_rs_not_matches!(rs_api, quote! {impl PartialEq});
5123 Ok(())
5124 }
5125
5126 #[test]
5127 fn test_impl_eq_rhs_by_value() -> Result<()> {
5128 let ir = ir_from_cc(
5129 r#"#pragma clang lifetime_elision
5130 struct SomeStruct final {
5131 bool operator==(SomeStruct other) const;
5132 };"#,
5133 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005134 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Lukasz Anforowiczfae90a12022-02-03 20:58:15 +00005135 assert_rs_not_matches!(rs_api, quote! {impl PartialEq});
5136 Ok(())
5137 }
5138
5139 #[test]
Dmitri Gribenko67cbfd22022-03-24 13:39:34 +00005140 fn test_thunk_ident_function() -> Result<()> {
5141 let ir = ir_from_cc("inline int foo() {}")?;
5142 let func = retrieve_func(&ir, "foo");
5143 assert_eq!(thunk_ident(func), make_rs_ident("__rust_thunk___Z3foov"));
5144 Ok(())
Devin Jeanpierre45cb1162021-10-27 10:54:28 +00005145 }
5146
5147 #[test]
5148 fn test_thunk_ident_special_names() {
Marcel Hlopko4b13b962021-12-06 12:40:56 +00005149 let ir = ir_from_cc("struct Class {};").unwrap();
Devin Jeanpierre45cb1162021-10-27 10:54:28 +00005150
Googler45ad2752021-12-06 12:12:35 +00005151 let destructor =
5152 ir.functions().find(|f| f.name == UnqualifiedIdentifier::Destructor).unwrap();
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +00005153 assert_eq!(thunk_ident(destructor), make_rs_ident("__rust_thunk___ZN5ClassD1Ev"));
Devin Jeanpierre45cb1162021-10-27 10:54:28 +00005154
Lukasz Anforowicz49b5bbc2022-02-04 23:40:10 +00005155 let default_constructor = ir
5156 .functions()
5157 .find(|f| f.name == UnqualifiedIdentifier::Constructor && f.params.len() == 1)
5158 .unwrap();
Lukasz Anforowiczdd9ae0f2022-02-17 15:52:53 +00005159 assert_eq!(thunk_ident(default_constructor), make_rs_ident("__rust_thunk___ZN5ClassC1Ev"));
Devin Jeanpierre45cb1162021-10-27 10:54:28 +00005160 }
Googler7cced422021-12-06 11:58:39 +00005161
5162 #[test]
Marcel Hlopko89547752021-12-10 09:39:41 +00005163 fn test_elided_lifetimes() -> Result<()> {
Googler7cced422021-12-06 11:58:39 +00005164 let ir = ir_from_cc(
5165 r#"#pragma clang lifetime_elision
Devin Jeanpierre88343c72022-01-15 01:10:23 +00005166 struct S final {
Googler7cced422021-12-06 11:58:39 +00005167 int& f(int& i);
5168 };"#,
Marcel Hlopko89547752021-12-10 09:39:41 +00005169 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005170 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Marcel Hlopko89547752021-12-10 09:39:41 +00005171 assert_rs_matches!(
5172 rs_api,
5173 quote! {
Lukasz Anforowicz231a3bb2022-01-12 14:05:59 +00005174 pub fn f<'a, 'b>(&'a mut self, i: &'b mut i32) -> &'a mut i32 { ... }
Marcel Hlopko89547752021-12-10 09:39:41 +00005175 }
Googler7cced422021-12-06 11:58:39 +00005176 );
Marcel Hlopko89547752021-12-10 09:39:41 +00005177 assert_rs_matches!(
5178 rs_api,
5179 quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07005180 pub(crate) fn __rust_thunk___ZN1S1fERi<'a, 'b>(__this: &'a mut crate::S, i: &'b mut i32)
Googler6804a012022-01-05 07:04:36 +00005181 -> &'a mut i32;
Marcel Hlopko89547752021-12-10 09:39:41 +00005182 }
Googler7cced422021-12-06 11:58:39 +00005183 );
Marcel Hlopko89547752021-12-10 09:39:41 +00005184 Ok(())
Googler7cced422021-12-06 11:58:39 +00005185 }
Lukasz Anforowiczdaff0402021-12-23 00:37:50 +00005186
5187 #[test]
Googler386e5942022-02-24 08:53:29 +00005188 fn test_annotated_lifetimes() -> Result<()> {
5189 let ir = ir_from_cc(
5190 r#"[[clang::annotate("lifetimes", "a, a -> a")]]
5191 int& f(int& i1, int& i2);
5192 "#,
5193 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005194 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Googler386e5942022-02-24 08:53:29 +00005195 assert_rs_matches!(
5196 rs_api,
5197 quote! {
5198 pub fn f<'a>(i1: &'a mut i32, i2: &'a mut i32) -> &'a mut i32 { ... }
5199 }
5200 );
5201 assert_rs_matches!(
5202 rs_api,
5203 quote! {
5204 pub(crate) fn __rust_thunk___Z1fRiS_<'a>(i1: &'a mut i32, i2: &'a mut i32)
5205 -> &'a mut i32;
5206 }
5207 );
5208 Ok(())
5209 }
5210
5211 #[test]
Lukasz Anforowiczdaff0402021-12-23 00:37:50 +00005212 fn test_format_generic_params() -> Result<()> {
5213 assert_rs_matches!(format_generic_params(std::iter::empty::<syn::Ident>()), quote! {});
5214
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00005215 let idents = ["T1", "T2"].iter().map(|s| make_rs_ident(s));
Lukasz Anforowiczdaff0402021-12-23 00:37:50 +00005216 assert_rs_matches!(format_generic_params(idents), quote! { < T1, T2 > });
5217
5218 let lifetimes = ["a", "b"]
5219 .iter()
5220 .map(|s| syn::Lifetime::new(&format!("'{}", s), proc_macro2::Span::call_site()));
5221 assert_rs_matches!(format_generic_params(lifetimes), quote! { < 'a, 'b > });
5222
5223 Ok(())
5224 }
Googlerd03d05b2022-01-07 10:10:57 +00005225
5226 #[test]
Devin Jeanpierread125742022-04-11 13:50:28 -07005227 fn test_format_tuple_except_singleton() {
5228 fn format(xs: &[TokenStream]) -> TokenStream {
5229 format_tuple_except_singleton(xs)
5230 }
5231 assert_rs_matches!(format(&[]), quote! {()});
5232 assert_rs_matches!(format(&[quote! {a}]), quote! {a});
5233 assert_rs_matches!(format(&[quote! {a}, quote! {b}]), quote! {(a, b)});
5234 }
5235
5236 #[test]
Googlerd03d05b2022-01-07 10:10:57 +00005237 fn test_overloaded_functions() -> Result<()> {
5238 // TODO(b/213280424): We don't support creating bindings for overloaded
5239 // functions yet, except in the case of overloaded constructors with a
5240 // single parameter.
5241 let ir = ir_from_cc(
Lukasz Anforowicz55673c92022-01-27 19:37:26 +00005242 r#" #pragma clang lifetime_elision
5243 void f();
Googlerd03d05b2022-01-07 10:10:57 +00005244 void f(int i);
Devin Jeanpierre88343c72022-01-15 01:10:23 +00005245 struct S1 final {
Googlerd03d05b2022-01-07 10:10:57 +00005246 void f();
5247 void f(int i);
5248 };
Devin Jeanpierre88343c72022-01-15 01:10:23 +00005249 struct S2 final {
Googlerd03d05b2022-01-07 10:10:57 +00005250 void f();
5251 };
Devin Jeanpierre88343c72022-01-15 01:10:23 +00005252 struct S3 final {
Googlerd03d05b2022-01-07 10:10:57 +00005253 S3(int i);
5254 S3(double d);
5255 };
5256 "#,
5257 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005258 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Googlerd03d05b2022-01-07 10:10:57 +00005259 let rs_api_str = tokens_to_string(rs_api.clone())?;
5260
5261 // Cannot overload free functions.
5262 assert!(rs_api_str.contains("Error while generating bindings for item 'f'"));
5263 assert_rs_not_matches!(rs_api, quote! {pub fn f()});
5264 assert_rs_not_matches!(rs_api, quote! {pub fn f(i: i32)});
5265
5266 // Cannot overload member functions.
5267 assert!(rs_api_str.contains("Error while generating bindings for item 'S1::f'"));
5268 assert_rs_not_matches!(rs_api, quote! {pub fn f(... S1 ...)});
5269
5270 // But we can import member functions that have the same name as a free
5271 // function.
Lukasz Anforowicz55673c92022-01-27 19:37:26 +00005272 assert_rs_matches!(rs_api, quote! {pub fn f<'a>(&'a mut self)});
Googlerd03d05b2022-01-07 10:10:57 +00005273
5274 // We can also import overloaded single-parameter constructors.
5275 assert_rs_matches!(rs_api, quote! {impl From<i32> for S3});
5276 assert_rs_matches!(rs_api, quote! {impl From<f64> for S3});
5277 Ok(())
5278 }
Googlerdcca7f72022-01-10 12:30:43 +00005279
5280 #[test]
5281 fn test_type_alias() -> Result<()> {
5282 let ir = ir_from_cc(
5283 r#"
Lukasz Anforowiczc503af42022-03-04 23:18:15 +00005284 // MyTypedefDecl doc comment
Googlerdcca7f72022-01-10 12:30:43 +00005285 typedef int MyTypedefDecl;
Lukasz Anforowiczc503af42022-03-04 23:18:15 +00005286
Googlerdcca7f72022-01-10 12:30:43 +00005287 using MyTypeAliasDecl = int;
Googler6a0a5252022-01-11 14:08:09 +00005288 using MyTypeAliasDecl_Alias = MyTypeAliasDecl;
5289
Devin Jeanpierre88343c72022-01-15 01:10:23 +00005290 struct S final {};
Googler6a0a5252022-01-11 14:08:09 +00005291 using S_Alias = S;
5292 using S_Alias_Alias = S_Alias;
5293
5294 inline void f(MyTypedefDecl t) {}
Googlerdcca7f72022-01-10 12:30:43 +00005295 "#,
5296 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005297 let BindingsTokens { rs_api, rs_api_impl } = generate_bindings_tokens(&ir)?;
Lukasz Anforowiczc503af42022-03-04 23:18:15 +00005298 assert_rs_matches!(
5299 rs_api,
5300 quote! {
5301 #[doc = " MyTypedefDecl doc comment"]
5302 pub type MyTypedefDecl = i32;
5303 }
5304 );
Googler6a0a5252022-01-11 14:08:09 +00005305 assert_rs_matches!(rs_api, quote! { pub type MyTypeAliasDecl = i32; });
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07005306 assert_rs_matches!(
5307 rs_api,
5308 quote! { pub type MyTypeAliasDecl_Alias = crate::MyTypeAliasDecl; }
5309 );
5310 assert_rs_matches!(rs_api, quote! { pub type S_Alias = crate::S; });
5311 assert_rs_matches!(rs_api, quote! { pub type S_Alias_Alias = crate::S_Alias; });
5312 assert_rs_matches!(rs_api, quote! { pub fn f(t: crate::MyTypedefDecl) });
Googler6a0a5252022-01-11 14:08:09 +00005313 assert_cc_matches!(
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005314 rs_api_impl,
Googler6a0a5252022-01-11 14:08:09 +00005315 quote! {
Devin Jeanpierredeea7892022-03-29 02:13:31 -07005316 extern "C" void __rust_thunk___Z1fi(MyTypedefDecl t){ f (std::forward<decltype(t)>(t)) ; }
Googler6a0a5252022-01-11 14:08:09 +00005317 }
5318 );
Googlerdcca7f72022-01-10 12:30:43 +00005319 Ok(())
5320 }
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00005321
5322 #[test]
5323 fn test_rs_type_kind_implements_copy() -> Result<()> {
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005324 let template = r#" LIFETIMES
Devin Jeanpierre88343c72022-01-15 01:10:23 +00005325 struct [[clang::trivial_abi]] TrivialStruct final { int i; };
5326 struct [[clang::trivial_abi]] UserDefinedCopyConstructor final {
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00005327 UserDefinedCopyConstructor(const UserDefinedCopyConstructor&);
5328 };
5329 using IntAlias = int;
5330 using TrivialAlias = TrivialStruct;
5331 using NonTrivialAlias = UserDefinedCopyConstructor;
5332 void func(PARAM_TYPE some_param);
5333 "#;
5334 assert_impl_all!(i32: Copy);
5335 assert_impl_all!(&i32: Copy);
5336 assert_not_impl_all!(&mut i32: Copy);
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005337 assert_impl_all!(Option<&i32>: Copy);
5338 assert_not_impl_all!(Option<&mut i32>: Copy);
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00005339 assert_impl_all!(*const i32: Copy);
5340 assert_impl_all!(*mut i32: Copy);
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005341 struct Test {
5342 // Test inputs:
5343 cc: &'static str,
5344 lifetimes: bool,
5345 // Expected test outputs:
5346 rs: &'static str,
5347 is_copy: bool,
5348 }
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00005349 let tests = vec![
5350 // Validity of the next few tests is verified via
5351 // `assert_[not_]impl_all!` static assertions above.
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005352 Test { cc: "int", lifetimes: true, rs: "i32", is_copy: true },
5353 Test { cc: "const int&", lifetimes: true, rs: "&'a i32", is_copy: true },
5354 Test { cc: "int&", lifetimes: true, rs: "&'a mut i32", is_copy: false },
5355 Test { cc: "const int*", lifetimes: true, rs: "Option<&'a i32>", is_copy: true },
5356 Test { cc: "int*", lifetimes: true, rs: "Option<&'a mut i32>", is_copy: false },
5357 Test { cc: "const int*", lifetimes: false, rs: "*const i32", is_copy: true },
5358 Test { cc: "int*", lifetimes: false, rs: "*mut i32", is_copy: true },
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00005359 // Tests below have been thought-through and verified "manually".
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005360 // TrivialStruct is expected to derive Copy.
Marcel Hlopko36234892022-05-10 00:39:54 -07005361 Test {
5362 cc: "TrivialStruct",
5363 lifetimes: true,
5364 rs: "crate::TrivialStruct",
5365 is_copy: true,
5366 },
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005367 Test {
5368 cc: "UserDefinedCopyConstructor",
5369 lifetimes: true,
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07005370 rs: "crate::UserDefinedCopyConstructor",
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005371 is_copy: false,
5372 },
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07005373 Test { cc: "IntAlias", lifetimes: true, rs: "crate::IntAlias", is_copy: true },
5374 Test { cc: "TrivialAlias", lifetimes: true, rs: "crate::TrivialAlias", is_copy: true },
Marcel Hlopko36234892022-05-10 00:39:54 -07005375 Test {
5376 cc: "NonTrivialAlias",
5377 lifetimes: true,
5378 rs: "crate::NonTrivialAlias",
5379 is_copy: false,
5380 },
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00005381 ];
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005382 for test in tests.iter() {
5383 let test_name = format!("cc='{}', lifetimes={}", test.cc, test.lifetimes);
5384 let cc_input = template.replace("PARAM_TYPE", test.cc).replace(
5385 "LIFETIMES",
5386 if test.lifetimes { "#pragma clang lifetime_elision" } else { "" },
5387 );
5388 let ir = ir_from_cc(&cc_input)?;
Lukasz Anforowicz9c663ca2022-02-09 01:33:31 +00005389 let f = retrieve_func(&ir, "func");
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00005390 let t = RsTypeKind::new(&f.params[0].type_.rs_type, &ir)?;
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005391
Devin Jeanpierre92ca2612022-04-06 11:35:13 -07005392 let fmt = tokens_to_string(t.to_token_stream())?;
Lukasz Anforowicz20651e32022-02-10 14:52:15 +00005393 assert_eq!(test.rs, fmt, "Testing: {}", test_name);
5394
5395 assert_eq!(test.is_copy, t.implements_copy(), "Testing: {}", test_name);
Lukasz Anforowicze57215c2022-01-12 14:54:16 +00005396 }
5397 Ok(())
5398 }
Lukasz Anforowicza94ab702022-01-14 22:40:25 +00005399
5400 #[test]
5401 fn test_rs_type_kind_is_shared_ref_to_with_lifetimes() -> Result<()> {
5402 let ir = ir_from_cc(
5403 "#pragma clang lifetime_elision
5404 struct SomeStruct {};
5405 void foo(const SomeStruct& foo_param);
5406 void bar(SomeStruct& bar_param);",
5407 )?;
5408 let record = ir.records().next().unwrap();
Lukasz Anforowicz9c663ca2022-02-09 01:33:31 +00005409 let foo_func = retrieve_func(&ir, "foo");
5410 let bar_func = retrieve_func(&ir, "bar");
Lukasz Anforowicza94ab702022-01-14 22:40:25 +00005411
5412 // const-ref + lifetimes in C++ ===> shared-ref in Rust
5413 assert_eq!(foo_func.params.len(), 1);
5414 let foo_param = &foo_func.params[0];
5415 assert_eq!(&foo_param.identifier.identifier, "foo_param");
5416 let foo_type = RsTypeKind::new(&foo_param.type_.rs_type, &ir)?;
5417 assert!(foo_type.is_shared_ref_to(record));
5418 assert!(matches!(foo_type, RsTypeKind::Reference { mutability: Mutability::Const, .. }));
5419
5420 // non-const-ref + lifetimes in C++ ===> mutable-ref in Rust
5421 assert_eq!(bar_func.params.len(), 1);
5422 let bar_param = &bar_func.params[0];
5423 assert_eq!(&bar_param.identifier.identifier, "bar_param");
5424 let bar_type = RsTypeKind::new(&bar_param.type_.rs_type, &ir)?;
5425 assert!(!bar_type.is_shared_ref_to(record));
5426 assert!(matches!(bar_type, RsTypeKind::Reference { mutability: Mutability::Mut, .. }));
5427
5428 Ok(())
5429 }
5430
5431 #[test]
5432 fn test_rs_type_kind_is_shared_ref_to_without_lifetimes() -> Result<()> {
5433 let ir = ir_from_cc(
5434 "struct SomeStruct {};
5435 void foo(const SomeStruct& foo_param);",
5436 )?;
5437 let record = ir.records().next().unwrap();
Lukasz Anforowicz9c663ca2022-02-09 01:33:31 +00005438 let foo_func = retrieve_func(&ir, "foo");
Lukasz Anforowicza94ab702022-01-14 22:40:25 +00005439
5440 // const-ref + *no* lifetimes in C++ ===> const-pointer in Rust
5441 assert_eq!(foo_func.params.len(), 1);
5442 let foo_param = &foo_func.params[0];
5443 assert_eq!(&foo_param.identifier.identifier, "foo_param");
5444 let foo_type = RsTypeKind::new(&foo_param.type_.rs_type, &ir)?;
5445 assert!(!foo_type.is_shared_ref_to(record));
5446 assert!(matches!(foo_type, RsTypeKind::Pointer { mutability: Mutability::Const, .. }));
5447
5448 Ok(())
5449 }
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00005450
5451 #[test]
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00005452 fn test_rs_type_kind_dfs_iter_ordering() {
5453 // Set up a test input representing: A<B<C>, D<E>>.
5454 let a = {
5455 let b = {
5456 let c = RsTypeKind::Other { name: "C", type_args: vec![] };
5457 RsTypeKind::Other { name: "B", type_args: vec![c] }
5458 };
5459 let d = {
5460 let e = RsTypeKind::Other { name: "E", type_args: vec![] };
5461 RsTypeKind::Other { name: "D", type_args: vec![e] }
5462 };
5463 RsTypeKind::Other { name: "A", type_args: vec![b, d] }
5464 };
5465 let dfs_names = a
5466 .dfs_iter()
5467 .map(|t| match t {
5468 RsTypeKind::Other { name, .. } => *name,
5469 _ => unreachable!("Only 'other' types are used in this test"),
5470 })
5471 .collect_vec();
5472 assert_eq!(vec!["A", "B", "C", "D", "E"], dfs_names);
5473 }
5474
5475 #[test]
Lukasz Anforowiczcf230fd2022-02-18 19:20:39 +00005476 fn test_rs_type_kind_dfs_iter_ordering_for_func_ptr() {
5477 // Set up a test input representing: fn(A, B) -> C
5478 let f = {
5479 let a = RsTypeKind::Other { name: "A", type_args: vec![] };
5480 let b = RsTypeKind::Other { name: "B", type_args: vec![] };
5481 let c = RsTypeKind::Other { name: "C", type_args: vec![] };
5482 RsTypeKind::FuncPtr { abi: "blah", param_types: vec![a, b], return_type: Box::new(c) }
5483 };
5484 let dfs_names = f
5485 .dfs_iter()
5486 .map(|t| match t {
5487 RsTypeKind::FuncPtr { .. } => "fn",
5488 RsTypeKind::Other { name, .. } => *name,
5489 _ => unreachable!("Only FuncPtr and Other kinds are used in this test"),
5490 })
5491 .collect_vec();
5492 assert_eq!(vec!["fn", "A", "B", "C"], dfs_names);
5493 }
5494
5495 #[test]
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00005496 fn test_rs_type_kind_lifetimes() -> Result<()> {
5497 let ir = ir_from_cc(
5498 r#"
5499 #pragma clang lifetime_elision
5500 using TypeAlias = int&;
5501 struct SomeStruct {};
Devin Jeanpierre48cb5bc2022-06-02 00:50:43 -07005502 void foo(int a, int& b, int&& c, int* d, int** e, TypeAlias f, SomeStruct g); "#,
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00005503 )?;
Devin Jeanpierre48cb5bc2022-06-02 00:50:43 -07005504 let func = retrieve_func(&ir, "foo");
5505 let ret = RsTypeKind::new(&func.return_type.rs_type, &ir)?;
5506 let a = RsTypeKind::new(&func.params[0].type_.rs_type, &ir)?;
5507 let b = RsTypeKind::new(&func.params[1].type_.rs_type, &ir)?;
5508 let c = RsTypeKind::new(&func.params[2].type_.rs_type, &ir)?;
5509 let d = RsTypeKind::new(&func.params[3].type_.rs_type, &ir)?;
5510 let e = RsTypeKind::new(&func.params[4].type_.rs_type, &ir)?;
5511 let f = RsTypeKind::new(&func.params[5].type_.rs_type, &ir)?;
5512 let g = RsTypeKind::new(&func.params[6].type_.rs_type, &ir)?;
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00005513
5514 assert_eq!(0, ret.lifetimes().count()); // No lifetimes on `void`.
5515 assert_eq!(0, a.lifetimes().count()); // No lifetimes on `int`.
5516 assert_eq!(1, b.lifetimes().count()); // `&'a i32` has a single lifetime.
Devin Jeanpierre48cb5bc2022-06-02 00:50:43 -07005517 assert_eq!(1, c.lifetimes().count()); // `RvalueReference<'a, i32>` has a single lifetime.
5518 assert_eq!(1, d.lifetimes().count()); // `Option<&'b i32>` has a single lifetime.
5519 assert_eq!(2, e.lifetimes().count()); // `&'c Option<&'d i32>` has two lifetimes.
5520 assert_eq!(1, f.lifetimes().count()); // Lifetime of underlying type should show through.
5521 assert_eq!(0, g.lifetimes().count()); // No lifetimes on structs (yet).
Lukasz Anforowicz90bdb962022-02-14 21:07:45 +00005522 Ok(())
5523 }
5524
5525 #[test]
5526 fn test_rs_type_kind_lifetimes_raw_ptr() -> Result<()> {
5527 let ir = ir_from_cc("void foo(int* a);")?;
5528 let f = retrieve_func(&ir, "foo");
5529 let a = RsTypeKind::new(&f.params[0].type_.rs_type, &ir)?;
5530 assert_eq!(0, a.lifetimes().count()); // No lifetimes on `int*`.
5531 Ok(())
5532 }
5533
5534 #[test]
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00005535 fn test_rust_keywords_are_escaped_in_rs_api_file() -> Result<()> {
5536 let ir = ir_from_cc("struct type { int dyn; };")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005537 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00005538 assert_rs_matches!(rs_api, quote! { struct r#type { ... r#dyn: i32 ... } });
5539 Ok(())
5540 }
5541
5542 #[test]
5543 fn test_rust_keywords_are_not_escaped_in_rs_api_impl_file() -> Result<()> {
5544 let ir = ir_from_cc("struct type { int dyn; };")?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005545 let rs_api_impl = generate_bindings_tokens(&ir)?.rs_api_impl;
Lukasz Anforowicz4ee9c222022-04-13 09:33:36 -07005546 assert_cc_matches!(
5547 rs_api_impl,
5548 quote! { static_assert(CRUBIT_OFFSET_OF(dyn, class type) ... ) }
5549 );
Marcel Hlopkoeaae9b72022-01-21 15:54:11 +00005550 Ok(())
5551 }
Marcel Hlopko14ee3c82022-02-09 09:46:23 +00005552
5553 #[test]
5554 fn test_no_aligned_attr() {
5555 let ir = ir_from_cc("struct SomeStruct {};").unwrap();
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005556 let rs_api = generate_bindings_tokens(&ir).unwrap().rs_api;
Marcel Hlopko14ee3c82022-02-09 09:46:23 +00005557
5558 assert_rs_matches! {rs_api, quote! {
5559 #[repr(C)]
5560 pub struct SomeStruct { ... }
5561 }};
5562 }
5563
5564 #[test]
5565 fn test_aligned_attr() {
5566 let ir = ir_from_cc("struct SomeStruct {} __attribute__((aligned(64)));").unwrap();
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005567 let rs_api = generate_bindings_tokens(&ir).unwrap().rs_api;
Marcel Hlopko14ee3c82022-02-09 09:46:23 +00005568
5569 assert_rs_matches! {rs_api, quote! {
5570 #[repr(C, align(64))]
5571 pub struct SomeStruct { ... }
5572 }
5573 };
5574 }
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005575
5576 /// !Unpin references should not be pinned.
5577 #[test]
5578 fn test_nonunpin_ref_param() -> Result<()> {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005579 let rs_api = generate_bindings_tokens(&ir_from_cc(
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005580 r#"
5581 #pragma clang lifetime_elision
5582 struct S {~S();};
5583 void Function(const S& s);
5584 "#,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005585 )?)?
5586 .rs_api;
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005587 assert_rs_matches!(
Devin Jeanpierre448322b2022-04-26 15:43:40 -07005588 rs_api,
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005589 quote! {
Rosica Dejanovska8283fe62022-05-09 10:04:28 -07005590 fn Function<'a>(s: &'a crate::S) { ... }
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005591 }
5592 );
5593 Ok(())
5594 }
5595
5596 /// !Unpin mut references must be pinned.
5597 #[test]
5598 fn test_nonunpin_mut_param() -> Result<()> {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005599 let rs_api = generate_bindings_tokens(&ir_from_cc(
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005600 r#"
5601 #pragma clang lifetime_elision
5602 struct S {~S();};
5603 void Function(S& s);
5604 "#,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005605 )?)?
5606 .rs_api;
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005607 assert_rs_matches!(
Devin Jeanpierre448322b2022-04-26 15:43:40 -07005608 rs_api,
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005609 quote! {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005610 fn Function<'a>(s: crate::rust_std::pin::Pin<&'a mut crate::S>) { ... }
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005611 }
5612 );
5613 Ok(())
5614 }
5615
5616 /// !Unpin &self should not be pinned.
5617 #[test]
5618 fn test_nonunpin_ref_self() -> Result<()> {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005619 let rs_api = generate_bindings_tokens(&ir_from_cc(
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005620 r#"
5621 #pragma clang lifetime_elision
5622 struct S {
5623 ~S();
5624 void Function() const;
5625 };
5626 "#,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005627 )?)?
5628 .rs_api;
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005629 assert_rs_matches!(
Devin Jeanpierre448322b2022-04-26 15:43:40 -07005630 rs_api,
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005631 quote! {
5632 fn Function<'a>(&'a self) { ... }
5633 }
5634 );
5635 Ok(())
5636 }
5637
5638 /// !Unpin &mut self must be pinned.
5639 #[test]
5640 fn test_nonunpin_mut_self() -> Result<()> {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005641 let rs_api = generate_bindings_tokens(&ir_from_cc(
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005642 r#"
5643 #pragma clang lifetime_elision
5644 struct S {
5645 ~S();
5646 void Function();
5647 };
5648 "#,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005649 )?)?
5650 .rs_api;
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005651 assert_rs_matches!(
Devin Jeanpierre448322b2022-04-26 15:43:40 -07005652 rs_api,
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005653 quote! {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005654 fn Function<'a>(self: crate::rust_std::pin::Pin<&'a mut Self>) { ... }
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005655 }
5656 );
5657 Ok(())
5658 }
5659
5660 /// Drop::drop must not use self : Pin<...>.
5661 #[test]
5662 fn test_nonunpin_drop() -> Result<()> {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005663 let rs_api = generate_bindings_tokens(&ir_from_cc(
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005664 r#"
5665 struct S {~S();};
5666 "#,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005667 )?)?
5668 .rs_api;
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005669 assert_rs_matches!(
Devin Jeanpierre448322b2022-04-26 15:43:40 -07005670 rs_api,
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005671 quote! {
Devin Jeanpierre108e9c02022-06-02 07:10:09 -07005672 unsafe fn pinned_drop<'a>(self: crate::rust_std::pin::Pin<&'a mut Self>) { ... }
Devin Jeanpierre149950d2022-02-22 21:02:02 +00005673 }
5674 );
5675 Ok(())
5676 }
Devin Jeanpierre6f607372022-03-22 21:34:38 +00005677
5678 #[test]
Devin Jeanpierread125742022-04-11 13:50:28 -07005679 fn test_nonunpin_0_arg_constructor() -> Result<()> {
5680 let ir = ir_from_cc(
5681 r#"#pragma clang lifetime_elision
5682 // This type must be `!Unpin`.
5683 struct HasConstructor {explicit HasConstructor() {}};"#,
5684 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005685 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07005686 assert_rs_matches!(rs_api, quote! {#[ctor::recursively_pinned]});
Devin Jeanpierread125742022-04-11 13:50:28 -07005687 assert_rs_matches!(
5688 rs_api,
5689 quote! {
5690 impl ctor::CtorNew<()> for HasConstructor {
5691 type CtorType = impl ctor::Ctor<Output = Self>;
5692
5693 #[inline (always)]
5694 fn ctor_new(args: ()) -> Self::CtorType {
5695 let () = args;
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005696 ctor::FnCtor::new(move |dest: crate::rust_std::pin::Pin<&mut crate::rust_std::mem::MaybeUninit<Self>>| {
Devin Jeanpierread125742022-04-11 13:50:28 -07005697 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005698 crate::detail::__rust_thunk___ZN14HasConstructorC1Ev(crate::rust_std::pin::Pin::into_inner_unchecked(dest));
Devin Jeanpierread125742022-04-11 13:50:28 -07005699 }
5700 })
5701 }
5702 }
5703 }
5704 );
5705 Ok(())
5706 }
5707
5708 #[test]
5709 fn test_nonunpin_1_arg_constructor() -> Result<()> {
Devin Jeanpierre6f607372022-03-22 21:34:38 +00005710 let ir = ir_from_cc(
5711 r#"#pragma clang lifetime_elision
5712 // This type must be `!Unpin`.
5713 struct HasConstructor {explicit HasConstructor(unsigned char input) {}};"#,
5714 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005715 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07005716 assert_rs_matches!(rs_api, quote! {#[ctor::recursively_pinned]});
Devin Jeanpierre6f607372022-03-22 21:34:38 +00005717 assert_rs_matches!(
5718 rs_api,
5719 quote! {
5720 impl ctor::CtorNew<u8> for HasConstructor {
5721 type CtorType = impl ctor::Ctor<Output = Self>;
5722
5723 #[inline (always)]
Devin Jeanpierread125742022-04-11 13:50:28 -07005724 fn ctor_new(args: u8) -> Self::CtorType {
5725 let input = args;
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005726 ctor::FnCtor::new(move |dest: crate::rust_std::pin::Pin<&mut crate::rust_std::mem::MaybeUninit<Self>>| {
Devin Jeanpierre6f607372022-03-22 21:34:38 +00005727 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005728 crate::detail::__rust_thunk___ZN14HasConstructorC1Eh(crate::rust_std::pin::Pin::into_inner_unchecked(dest), input);
Devin Jeanpierre6f607372022-03-22 21:34:38 +00005729 }
5730 })
5731 }
5732 }
5733 }
5734 );
5735 Ok(())
5736 }
Devin Jeanpierread125742022-04-11 13:50:28 -07005737
5738 #[test]
5739 fn test_nonunpin_2_arg_constructor() -> Result<()> {
5740 let ir = ir_from_cc(
5741 r#"#pragma clang lifetime_elision
5742 // This type must be `!Unpin`.
5743 struct HasConstructor {explicit HasConstructor(unsigned char input1, signed char input2) {}};"#,
5744 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005745 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierre215ee8e2022-05-16 16:09:41 -07005746 assert_rs_matches!(rs_api, quote! {#[ctor::recursively_pinned]});
Devin Jeanpierread125742022-04-11 13:50:28 -07005747 assert_rs_matches!(
5748 rs_api,
5749 quote! {
5750 impl ctor::CtorNew<(u8, i8)> for HasConstructor {
5751 type CtorType = impl ctor::Ctor<Output = Self>;
5752
5753 #[inline (always)]
5754 fn ctor_new(args: (u8, i8)) -> Self::CtorType {
5755 let (input1, input2) = args;
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005756 ctor::FnCtor::new(move |dest: crate::rust_std::pin::Pin<&mut crate::rust_std::mem::MaybeUninit<Self>>| {
Devin Jeanpierread125742022-04-11 13:50:28 -07005757 unsafe {
Rosica Dejanovska68c11ac2022-05-12 03:48:59 -07005758 crate::detail::__rust_thunk___ZN14HasConstructorC1Eha(crate::rust_std::pin::Pin::into_inner_unchecked(dest), input1, input2);
Devin Jeanpierread125742022-04-11 13:50:28 -07005759 }
5760 })
5761 }
5762 }
5763 }
5764 );
5765 Ok(())
5766 }
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005767
5768 #[test]
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07005769 fn test_forward_declared() -> Result<()> {
5770 let ir = ir_from_cc(
5771 r#"#pragma clang lifetime_elision
5772 struct ForwardDeclared;"#,
5773 )?;
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005774 let rs_api = generate_bindings_tokens(&ir)?.rs_api;
Devin Jeanpierrec0543eb2022-04-20 16:00:34 -07005775 assert_rs_matches!(
5776 rs_api,
5777 quote! {
5778 forward_declare::forward_declare!(pub ForwardDeclared = forward_declare::symbol!("ForwardDeclared"));
5779 }
5780 );
5781 assert_rs_not_matches!(rs_api, quote! {struct ForwardDeclared});
5782 Ok(())
5783 }
5784
5785 #[test]
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005786 fn test_namespace_module_items() -> Result<()> {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005787 let rs_api = generate_bindings_tokens(&ir_from_cc(
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005788 r#"
5789 namespace test_namespace_bindings {
5790 int func();
5791 struct S {};
5792 namespace inner {
5793 int inner_func();
5794 struct InnerS {};
5795 }
5796 }
5797 "#,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005798 )?)?
5799 .rs_api;
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005800 assert_rs_matches!(
Devin Jeanpierre448322b2022-04-26 15:43:40 -07005801 rs_api,
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005802 quote! {
5803 pub mod test_namespace_bindings {
5804 ...
5805 pub fn func() -> i32 { ... }
5806 ...
5807 pub struct S { ... }
5808 ...
5809 pub mod inner {
5810 ...
5811 pub fn inner_func() -> i32 { ... }
5812 ...
5813 pub struct InnerS { ... }
5814 ...
5815 }
5816 ...
5817 }
5818 }
5819 );
5820 Ok(())
5821 }
5822
5823 #[test]
Rosica Dejanovska5d9faaf2022-05-11 04:30:04 -07005824 fn test_detail_outside_of_namespace_module() -> Result<()> {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005825 let rs_api = generate_bindings_tokens(&ir_from_cc(
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005826 r#"
5827 namespace test_namespace_bindings {
5828 int f();
5829 }
5830 "#,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005831 )?)?
5832 .rs_api;
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005833 assert_rs_matches!(
Devin Jeanpierre448322b2022-04-26 15:43:40 -07005834 rs_api,
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005835 quote! {
5836 pub mod test_namespace_bindings {
5837 ...
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005838 }
Rosica Dejanovska5d9faaf2022-05-11 04:30:04 -07005839 ...
5840 mod detail {
5841 #[allow(unused_imports)]
5842 use super::*;
5843 extern "C" {
5844 #[link_name = "_ZN23test_namespace_bindings1fEv"]
5845 pub(crate) fn __rust_thunk___ZN23test_namespace_bindings1fEv() -> i32;
5846 }
5847 }
5848 ...
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005849 }
5850 );
5851 Ok(())
5852 }
5853
5854 #[test]
Rosica Dejanovska5d9faaf2022-05-11 04:30:04 -07005855 fn test_assertions_outside_of_namespace_module() -> Result<()> {
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005856 let rs_api = generate_bindings_tokens(&ir_from_cc(
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005857 r#"
5858 namespace test_namespace_bindings {
5859 struct S {
5860 int i;
5861 };
5862 }
5863 "#,
Devin Jeanpierre4f06f832022-04-26 15:51:30 -07005864 )?)?
5865 .rs_api;
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005866 assert_rs_matches!(
Devin Jeanpierre448322b2022-04-26 15:43:40 -07005867 rs_api,
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005868 quote! {
5869 pub mod test_namespace_bindings {
5870 ...
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005871 }
Rosica Dejanovska5d9faaf2022-05-11 04:30:04 -07005872 ...
Lukasz Anforowiczdc37d6d2022-05-17 08:20:13 -07005873 const _: () = assert!(rust_std::mem::size_of::<crate::test_namespace_bindings::S>() == 4);
5874 const _: () = assert!(rust_std::mem::align_of::<crate::test_namespace_bindings::S>() == 4);
Rosica Dejanovska5d9faaf2022-05-11 04:30:04 -07005875 ...
Lukasz Anforowicz30360ba2022-05-23 12:15:12 -07005876 const _: () = assert!(memoffset_unstable_const::offset_of!(crate::test_namespace_bindings::S, i) == 0);
Rosica Dejanovskadd9a9032022-04-12 07:34:41 -07005877 }
5878 );
5879 Ok(())
5880 }
Rosica Dejanovska93aeafb2022-06-01 07:05:31 -07005881
5882 #[test]
5883 fn test_reopened_namespaces() -> Result<()> {
5884 let rs_api = generate_bindings_tokens(&ir_from_cc(
5885 r#"
5886 namespace test_namespace_bindings {
5887 namespace inner {}
5888 } // namespace test_namespace_bindings
5889
5890 namespace test_namespace_bindings {
5891 namespace inner {}
5892 } // namespace test_namespace_bindings"#,
5893 )?)?
5894 .rs_api;
5895
5896 assert_rs_matches!(
5897 rs_api,
5898 quote! {
5899 ...
5900 pub mod test_namespace_bindings_0 {
5901 pub mod inner_0 {} ...
5902 }
5903 ...
5904 pub mod test_namespace_bindings {
5905 pub use super::test_namespace_bindings_0::*;
5906 ...
5907 pub mod inner {
5908 pub use super::inner_0::*;
5909 ...
5910 }
5911 }
5912 ...
5913 }
5914 );
5915 Ok(())
5916 }
Rosica Dejanovskaa08b3862022-06-02 08:22:49 -07005917
5918 #[test]
5919 fn test_qualified_identifiers_in_impl_file() -> Result<()> {
5920 let rs_api_impl = generate_bindings_tokens(&ir_from_cc(
5921 r#"
5922 namespace test_namespace_bindings {
5923 inline void f() {};
5924 struct S{};
5925 }
5926 inline void useS(test_namespace_bindings::S s) {};"#,
5927 )?)?
5928 .rs_api_impl;
5929
5930 assert_cc_matches!(
5931 rs_api_impl,
5932 quote! {
5933 extern "C" void __rust_thunk___ZN23test_namespace_bindings1fEv() {
5934 test_namespace_bindings::f();
5935 }
5936 ...
5937 extern "C" void __rust_thunk___ZN23test_namespace_bindings1SC1Ev(
5938 class test_namespace_bindings::S* __this) {...}
5939 ...
5940 extern "C" void __rust_thunk___Z4useSN23test_namespace_bindings1SE(
5941 class test_namespace_bindings::S s) { useS(std::forward<decltype(s)>(s)); }
5942 ...
5943 }
5944 );
5945 Ok(())
5946 }
Marcel Hlopko42abfc82021-08-09 07:03:17 +00005947}