Skip to content

Commit e6f34ba

Browse files
committed
bevy_reflect: Add statically available type info for reflected types (#4042)
# Objective > Resolves #4504 It can be helpful to have access to type information without requiring an instance of that type. Especially for `Reflect`, a lot of the gathered type information is known at compile-time and should not necessarily require an instance. ## Solution Created a dedicated `TypeInfo` enum to store static type information. All types that derive `Reflect` now also implement the newly created `Typed` trait: ```rust pub trait Typed: Reflect { fn type_info() -> &'static TypeInfo; } ``` > Note: This trait was made separate from `Reflect` due to `Sized` restrictions. If you only have access to a `dyn Reflect`, just call `.get_type_info()` on it. This new trait method on `Reflect` should return the same value as if you had called it statically. If all you have is a `TypeId` or type name, you can get the `TypeInfo` directly from the registry using the `TypeRegistry::get_type_info` method (assuming it was registered). ### Usage Below is an example of working with `TypeInfo`. As you can see, we don't have to generate an instance of `MyTupleStruct` in order to get this information. ```rust #[derive(Reflect)] struct MyTupleStruct(usize, i32, MyStruct); let info = MyTupleStruct::type_info(); if let TypeInfo::TupleStruct(info) = info { assert!(info.is::<MyTupleStruct>()); assert_eq!(std::any::type_name::<MyTupleStruct>(), info.type_name()); assert!(info.field_at(1).unwrap().is::<i32>()); } else { panic!("Expected `TypeInfo::TupleStruct`"); } ``` ### Manual Implementations It's not recommended to manually implement `Typed` yourself, but if you must, you can use the `TypeInfoCell` to automatically create and manage the static `TypeInfo`s for you (which is very helpful for blanket/generic impls): ```rust use bevy_reflect::{Reflect, TupleStructInfo, TypeInfo, UnnamedField}; use bevy_reflect::utility::TypeInfoCell; struct Foo<T: Reflect>(T); impl<T: Reflect> Typed for Foo<T> { fn type_info() -> &'static TypeInfo { static CELL: TypeInfoCell = TypeInfoCell::generic(); CELL.get_or_insert::<Self, _>(|| { let fields = [UnnamedField::new::<T>()]; let info = TupleStructInfo::new::<Self>(&fields); TypeInfo::TupleStruct(info) }) } } ``` ## Benefits One major benefit is that this opens the door to other serialization methods. Since we can get all the type info at compile time, we can know how to properly deserialize something like: ```rust #[derive(Reflect)] struct MyType { foo: usize, bar: Vec<String> } // RON to be deserialized: ( type: "my_crate::MyType", // <- We now know how to deserialize the rest of this object value: { // "foo" is a value type matching "usize" "foo": 123, // "bar" is a list type matching "Vec<String>" with item type "String" "bar": ["a", "b", "c"] } ) ``` Not only is this more compact, but it has better compatibility (we can change the type of `"foo"` to `i32` without having to update our serialized data). Of course, serialization/deserialization strategies like this may need to be discussed and fully considered before possibly making a change. However, we will be better equipped to do that now that we can access type information right from the registry. ## Discussion Some items to discuss: 1. Duplication. There's a bit of overlap with the existing traits/structs since they require an instance of the type while the type info structs do not (for example, `Struct::field_at(&self, index: usize)` and `StructInfo::field_at(&self, index: usize)`, though only `StructInfo` is accessible without an instance object). Is this okay, or do we want to handle it in another way? 2. Should `TypeInfo::Dynamic` be removed? Since the dynamic types don't have type information available at runtime, we could consider them `TypeInfo::Value`s (or just even just `TypeInfo::Struct`). The intention with `TypeInfo::Dynamic` was to keep the distinction from these dynamic types and actual structs/values since users might incorrectly believe the methods of the dynamic type's info struct would map to some contained data (which isn't possible statically). 4. General usefulness of this change, including missing/unnecessary parts. 5. Possible changes to the scene format? (One possible issue with changing it like in the example above might be that we'd have to be careful when handling generic or trait object types.) ## Compile Tests I ran a few tests to compare compile times (as suggested [here](#4042 (comment))). I toggled `Reflect` and `FromReflect` derive macros using `cfg_attr` for both this PR (aa5178e) and main (c309acd). <details> <summary>See More</summary> The test project included 250 of the following structs (as well as a few other structs): ```rust #[derive(Default)] #[cfg_attr(feature = "reflect", derive(Reflect))] #[cfg_attr(feature = "from_reflect", derive(FromReflect))] pub struct Big001 { inventory: Inventory, foo: usize, bar: String, baz: ItemDescriptor, items: [Item; 20], hello: Option<String>, world: HashMap<i32, String>, okay: (isize, usize, /* wesize */), nope: ((String, String), (f32, f32)), blah: Cow<'static, str>, } ``` > I don't know if the compiler can optimize all these duplicate structs away, but I think it's fine either way. We're comparing times, not finding the absolute worst-case time. I only ran each build 3 times using `cargo build --timings` (thank you @devil-ira), each of which were preceeded by a `cargo clean --package bevy_reflect_compile_test`. Here are the times I got: | Test | Test 1 | Test 2 | Test 3 | Average | | -------------------------------- | ------ | ------ | ------ | ------- | | Main | 1.7s | 3.1s | 1.9s | 2.33s | | Main + `Reflect` | 8.3s | 8.6s | 8.1s | 8.33s | | Main + `Reflect` + `FromReflect` | 11.6s | 11.8s | 13.8s | 12.4s | | PR | 3.5s | 1.8s | 1.9s | 2.4s | | PR + `Reflect` | 9.2s | 8.8s | 9.3s | 9.1s | | PR + `Reflect` + `FromReflect` | 12.9s | 12.3s | 12.5s | 12.56s | </details> --- ## Future Work Even though everything could probably be made `const`, we unfortunately can't. This is because `TypeId::of::<T>()` is not yet `const` (see rust-lang/rust#77125). When it does get stabilized, it would probably be worth coming back and making things `const`. Co-authored-by: MrGVSV <49806985+MrGVSV@users.noreply.github.com>
1 parent 1679a99 commit e6f34ba

16 files changed

+1410
-39
lines changed

crates/bevy_reflect/Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -22,6 +22,7 @@ erased-serde = "0.3"
2222
downcast-rs = "1.2"
2323
parking_lot = "0.11.0"
2424
thiserror = "1.0"
25+
once_cell = "1.11"
2526
serde = "1"
2627
smallvec = { version = "1.6", features = ["serde", "union", "const_generics"], optional = true }
2728
glam = { version = "0.20.0", features = ["serde"], optional = true }

crates/bevy_reflect/bevy_reflect_derive/src/impls.rs

+100
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,10 @@ pub(crate) fn impl_struct(derive_data: &ReflectDeriveData) -> TokenStream {
3232
.unwrap_or_else(|| Member::Unnamed(Index::from(field.index)))
3333
})
3434
.collect::<Vec<_>>();
35+
let field_types = derive_data
36+
.active_fields()
37+
.map(|field| field.data.ty.clone())
38+
.collect::<Vec<_>>();
3539
let field_count = field_idents.len();
3640
let field_indices = (0..field_count).collect::<Vec<usize>>();
3741

@@ -49,12 +53,27 @@ pub(crate) fn impl_struct(derive_data: &ReflectDeriveData) -> TokenStream {
4953
});
5054
let debug_fn = derive_data.traits().get_debug_impl();
5155

56+
let typed_impl = impl_typed(
57+
struct_name,
58+
derive_data.generics(),
59+
quote! {
60+
let fields: [#bevy_reflect_path::NamedField; #field_count] = [
61+
#(#bevy_reflect_path::NamedField::new::<#field_types, _>(#field_names),)*
62+
];
63+
let info = #bevy_reflect_path::StructInfo::new::<Self>(&fields);
64+
#bevy_reflect_path::TypeInfo::Struct(info)
65+
},
66+
bevy_reflect_path,
67+
);
68+
5269
let get_type_registration_impl = derive_data.get_type_registration();
5370
let (impl_generics, ty_generics, where_clause) = derive_data.generics().split_for_impl();
5471

5572
TokenStream::from(quote! {
5673
#get_type_registration_impl
5774

75+
#typed_impl
76+
5877
impl #impl_generics #bevy_reflect_path::Struct for #struct_name #ty_generics #where_clause {
5978
fn field(&self, name: &str) -> Option<&dyn #bevy_reflect_path::Reflect> {
6079
match name {
@@ -114,6 +133,11 @@ pub(crate) fn impl_struct(derive_data: &ReflectDeriveData) -> TokenStream {
114133
std::any::type_name::<Self>()
115134
}
116135

136+
#[inline]
137+
fn get_type_info(&self) -> &'static #bevy_reflect_path::TypeInfo {
138+
<Self as #bevy_reflect_path::Typed>::type_info()
139+
}
140+
117141
#[inline]
118142
fn any(&self) -> &dyn std::any::Any {
119143
self
@@ -184,6 +208,10 @@ pub(crate) fn impl_tuple_struct(derive_data: &ReflectDeriveData) -> TokenStream
184208
.active_fields()
185209
.map(|field| Member::Unnamed(Index::from(field.index)))
186210
.collect::<Vec<_>>();
211+
let field_types = derive_data
212+
.active_fields()
213+
.map(|field| field.data.ty.clone())
214+
.collect::<Vec<_>>();
187215
let field_count = field_idents.len();
188216
let field_indices = (0..field_count).collect::<Vec<usize>>();
189217

@@ -201,10 +229,25 @@ pub(crate) fn impl_tuple_struct(derive_data: &ReflectDeriveData) -> TokenStream
201229
});
202230
let debug_fn = derive_data.traits().get_debug_impl();
203231

232+
let typed_impl = impl_typed(
233+
struct_name,
234+
derive_data.generics(),
235+
quote! {
236+
let fields: [#bevy_reflect_path::UnnamedField; #field_count] = [
237+
#(#bevy_reflect_path::UnnamedField::new::<#field_types>(#field_indices),)*
238+
];
239+
let info = #bevy_reflect_path::TupleStructInfo::new::<Self>(&fields);
240+
#bevy_reflect_path::TypeInfo::TupleStruct(info)
241+
},
242+
bevy_reflect_path,
243+
);
244+
204245
let (impl_generics, ty_generics, where_clause) = derive_data.generics().split_for_impl();
205246
TokenStream::from(quote! {
206247
#get_type_registration_impl
207248

249+
#typed_impl
250+
208251
impl #impl_generics #bevy_reflect_path::TupleStruct for #struct_name #ty_generics #where_clause {
209252
fn field(&self, index: usize) -> Option<&dyn #bevy_reflect_path::Reflect> {
210253
match index {
@@ -243,6 +286,11 @@ pub(crate) fn impl_tuple_struct(derive_data: &ReflectDeriveData) -> TokenStream
243286
std::any::type_name::<Self>()
244287
}
245288

289+
#[inline]
290+
fn get_type_info(&self) -> &'static #bevy_reflect_path::TypeInfo {
291+
<Self as #bevy_reflect_path::Typed>::type_info()
292+
}
293+
246294
#[inline]
247295
fn any(&self) -> &dyn std::any::Any {
248296
self
@@ -315,17 +363,34 @@ pub(crate) fn impl_value(
315363
let partial_eq_fn = reflect_traits.get_partial_eq_impl(bevy_reflect_path);
316364
let debug_fn = reflect_traits.get_debug_impl();
317365

366+
let typed_impl = impl_typed(
367+
type_name,
368+
generics,
369+
quote! {
370+
let info = #bevy_reflect_path::ValueInfo::new::<Self>();
371+
#bevy_reflect_path::TypeInfo::Value(info)
372+
},
373+
bevy_reflect_path,
374+
);
375+
318376
let (impl_generics, ty_generics, where_clause) = generics.split_for_impl();
319377
TokenStream::from(quote! {
320378
#get_type_registration_impl
321379

380+
#typed_impl
381+
322382
// SAFE: any and any_mut both return self
323383
unsafe impl #impl_generics #bevy_reflect_path::Reflect for #type_name #ty_generics #where_clause {
324384
#[inline]
325385
fn type_name(&self) -> &str {
326386
std::any::type_name::<Self>()
327387
}
328388

389+
#[inline]
390+
fn get_type_info(&self) -> &'static #bevy_reflect_path::TypeInfo {
391+
<Self as #bevy_reflect_path::Typed>::type_info()
392+
}
393+
329394
#[inline]
330395
fn any(&self) -> &dyn std::any::Any {
331396
self
@@ -385,3 +450,38 @@ pub(crate) fn impl_value(
385450
}
386451
})
387452
}
453+
454+
fn impl_typed(
455+
type_name: &Ident,
456+
generics: &Generics,
457+
generator: proc_macro2::TokenStream,
458+
bevy_reflect_path: &Path,
459+
) -> proc_macro2::TokenStream {
460+
let is_generic = !generics.params.is_empty();
461+
462+
let static_generator = if is_generic {
463+
quote! {
464+
static CELL: #bevy_reflect_path::utility::GenericTypeInfoCell = #bevy_reflect_path::utility::GenericTypeInfoCell::new();
465+
CELL.get_or_insert::<Self, _>(|| {
466+
#generator
467+
})
468+
}
469+
} else {
470+
quote! {
471+
static CELL: #bevy_reflect_path::utility::NonGenericTypeInfoCell = #bevy_reflect_path::utility::NonGenericTypeInfoCell::new();
472+
CELL.get_or_set(|| {
473+
#generator
474+
})
475+
}
476+
};
477+
478+
let (impl_generics, ty_generics, where_clause) = generics.split_for_impl();
479+
480+
quote! {
481+
impl #impl_generics #bevy_reflect_path::Typed for #type_name #ty_generics #where_clause {
482+
fn type_info() -> &'static #bevy_reflect_path::TypeInfo {
483+
#static_generator
484+
}
485+
}
486+
}
487+
}

crates/bevy_reflect/src/array.rs

+84-2
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,9 @@
1-
use crate::{serde::Serializable, Reflect, ReflectMut, ReflectRef};
1+
use crate::{
2+
serde::Serializable, utility::NonGenericTypeInfoCell, DynamicInfo, Reflect, ReflectMut,
3+
ReflectRef, TypeInfo, Typed,
4+
};
25
use std::{
3-
any::Any,
6+
any::{Any, TypeId},
47
fmt::Debug,
58
hash::{Hash, Hasher},
69
};
@@ -37,6 +40,73 @@ pub trait Array: Reflect {
3740
}
3841
}
3942

43+
/// A container for compile-time array info.
44+
#[derive(Clone, Debug)]
45+
pub struct ArrayInfo {
46+
type_name: &'static str,
47+
type_id: TypeId,
48+
item_type_name: &'static str,
49+
item_type_id: TypeId,
50+
capacity: usize,
51+
}
52+
53+
impl ArrayInfo {
54+
/// Create a new [`ArrayInfo`].
55+
///
56+
/// # Arguments
57+
///
58+
/// * `capacity`: The maximum capacity of the underlying array.
59+
///
60+
pub fn new<TArray: Array, TItem: Reflect>(capacity: usize) -> Self {
61+
Self {
62+
type_name: std::any::type_name::<TArray>(),
63+
type_id: TypeId::of::<TArray>(),
64+
item_type_name: std::any::type_name::<TItem>(),
65+
item_type_id: TypeId::of::<TItem>(),
66+
capacity,
67+
}
68+
}
69+
70+
/// The compile-time capacity of the array.
71+
pub fn capacity(&self) -> usize {
72+
self.capacity
73+
}
74+
75+
/// The [type name] of the array.
76+
///
77+
/// [type name]: std::any::type_name
78+
pub fn type_name(&self) -> &'static str {
79+
self.type_name
80+
}
81+
82+
/// The [`TypeId`] of the array.
83+
pub fn type_id(&self) -> TypeId {
84+
self.type_id
85+
}
86+
87+
/// Check if the given type matches the array type.
88+
pub fn is<T: Any>(&self) -> bool {
89+
TypeId::of::<T>() == self.type_id
90+
}
91+
92+
/// The [type name] of the array item.
93+
///
94+
/// [type name]: std::any::type_name
95+
pub fn item_type_name(&self) -> &'static str {
96+
self.item_type_name
97+
}
98+
99+
/// The [`TypeId`] of the array item.
100+
pub fn item_type_id(&self) -> TypeId {
101+
self.item_type_id
102+
}
103+
104+
/// Check if the given type matches the array item type.
105+
pub fn item_is<T: Any>(&self) -> bool {
106+
TypeId::of::<T>() == self.item_type_id
107+
}
108+
}
109+
40110
/// A fixed-size list of reflected values.
41111
///
42112
/// This differs from [`DynamicList`] in that the size of the [`DynamicArray`]
@@ -89,6 +159,11 @@ unsafe impl Reflect for DynamicArray {
89159
self.name.as_str()
90160
}
91161

162+
#[inline]
163+
fn get_type_info(&self) -> &'static TypeInfo {
164+
<Self as Typed>::type_info()
165+
}
166+
92167
#[inline]
93168
fn any(&self) -> &dyn Any {
94169
self
@@ -185,6 +260,13 @@ impl Array for DynamicArray {
185260
}
186261
}
187262

263+
impl Typed for DynamicArray {
264+
fn type_info() -> &'static TypeInfo {
265+
static CELL: NonGenericTypeInfoCell = NonGenericTypeInfoCell::new();
266+
CELL.get_or_set(|| TypeInfo::Dynamic(DynamicInfo::new::<Self>()))
267+
}
268+
}
269+
188270
/// An iterator over an [`Array`].
189271
pub struct ArrayIter<'a> {
190272
pub(crate) array: &'a dyn Array,

crates/bevy_reflect/src/fields.rs

+84
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,84 @@
1+
use crate::Reflect;
2+
use std::any::{Any, TypeId};
3+
use std::borrow::Cow;
4+
5+
/// The named field of a reflected struct.
6+
#[derive(Clone, Debug)]
7+
pub struct NamedField {
8+
name: Cow<'static, str>,
9+
type_name: &'static str,
10+
type_id: TypeId,
11+
}
12+
13+
impl NamedField {
14+
/// Create a new [`NamedField`].
15+
pub fn new<T: Reflect, TName: Into<Cow<'static, str>>>(name: TName) -> Self {
16+
Self {
17+
name: name.into(),
18+
type_name: std::any::type_name::<T>(),
19+
type_id: TypeId::of::<T>(),
20+
}
21+
}
22+
23+
/// The name of the field.
24+
pub fn name(&self) -> &Cow<'static, str> {
25+
&self.name
26+
}
27+
28+
/// The [type name] of the field.
29+
///
30+
/// [type name]: std::any::type_name
31+
pub fn type_name(&self) -> &'static str {
32+
self.type_name
33+
}
34+
35+
/// The [`TypeId`] of the field.
36+
pub fn type_id(&self) -> TypeId {
37+
self.type_id
38+
}
39+
40+
/// Check if the given type matches the field type.
41+
pub fn is<T: Any>(&self) -> bool {
42+
TypeId::of::<T>() == self.type_id
43+
}
44+
}
45+
46+
/// The unnamed field of a reflected tuple or tuple struct.
47+
#[derive(Clone, Debug)]
48+
pub struct UnnamedField {
49+
index: usize,
50+
type_name: &'static str,
51+
type_id: TypeId,
52+
}
53+
54+
impl UnnamedField {
55+
pub fn new<T: Reflect>(index: usize) -> Self {
56+
Self {
57+
index,
58+
type_name: std::any::type_name::<T>(),
59+
type_id: TypeId::of::<T>(),
60+
}
61+
}
62+
63+
/// Returns the index of the field.
64+
pub fn index(&self) -> usize {
65+
self.index
66+
}
67+
68+
/// The [type name] of the field.
69+
///
70+
/// [type name]: std::any::type_name
71+
pub fn type_name(&self) -> &'static str {
72+
self.type_name
73+
}
74+
75+
/// The [`TypeId`] of the field.
76+
pub fn type_id(&self) -> TypeId {
77+
self.type_id
78+
}
79+
80+
/// Check if the given type matches the field type.
81+
pub fn is<T: Any>(&self) -> bool {
82+
TypeId::of::<T>() == self.type_id
83+
}
84+
}

0 commit comments

Comments
 (0)