bevy_ecs/world/reflect.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340
//! Provides additional functionality for [`World`] when the `bevy_reflect` feature is enabled.
use core::any::TypeId;
use derive_more::derive::{Display, Error};
use bevy_reflect::{Reflect, ReflectFromPtr};
use crate::{prelude::*, world::ComponentId};
impl World {
/// Retrieves a reference to the given `entity`'s [`Component`] of the given `type_id` using
/// reflection.
///
/// Requires implementing [`Reflect`] for the [`Component`] (e.g., using [`#[derive(Reflect)`](derive@bevy_reflect::Reflect))
/// and `app.register_type::<TheComponent>()` to have been called[^note-reflect-impl].
///
/// If you want to call this with a [`ComponentId`], see [`World::components`] and [`Components::get_id`] to get
/// the corresponding [`TypeId`].
///
/// Also see the crate documentation for [`bevy_reflect`] for more information on
/// [`Reflect`] and bevy's reflection capabilities.
///
/// # Errors
///
/// See [`GetComponentReflectError`] for the possible errors and their descriptions.
///
/// # Example
///
/// ```
/// use bevy_ecs::prelude::*;
/// use bevy_reflect::Reflect;
/// use std::any::TypeId;
///
/// // define a `Component` and derive `Reflect` for it
/// #[derive(Component, Reflect)]
/// struct MyComponent;
///
/// // create a `World` for this example
/// let mut world = World::new();
///
/// // Note: This is usually handled by `App::register_type()`, but this example cannot use `App`.
/// world.init_resource::<AppTypeRegistry>();
/// world.get_resource_mut::<AppTypeRegistry>().unwrap().write().register::<MyComponent>();
///
/// // spawn an entity with a `MyComponent`
/// let entity = world.spawn(MyComponent).id();
///
/// // retrieve a reflected reference to the entity's `MyComponent`
/// let comp_reflected: &dyn Reflect = world.get_reflect(entity, TypeId::of::<MyComponent>()).unwrap();
///
/// // make sure we got the expected type
/// assert!(comp_reflected.is::<MyComponent>());
/// ```
///
/// # Note
/// Requires the `bevy_reflect` feature (included in the default features).
///
/// [`Components::get_id`]: crate::component::Components::get_id
/// [`ReflectFromPtr`]: bevy_reflect::ReflectFromPtr
/// [`TypeData`]: bevy_reflect::TypeData
/// [`Reflect`]: bevy_reflect::Reflect
/// [`App::register_type`]: ../../bevy_app/struct.App.html#method.register_type
/// [^note-reflect-impl]: More specifically: Requires [`TypeData`] for [`ReflectFromPtr`] to be registered for the given `type_id`,
/// which is automatically handled when deriving [`Reflect`] and calling [`App::register_type`].
#[inline]
pub fn get_reflect(
&self,
entity: Entity,
type_id: TypeId,
) -> Result<&dyn Reflect, GetComponentReflectError> {
let Some(component_id) = self.components().get_id(type_id) else {
return Err(GetComponentReflectError::NoCorrespondingComponentId(
type_id,
));
};
let Some(comp_ptr) = self.get_by_id(entity, component_id) else {
let component_name = self
.components()
.get_name(component_id)
.map(ToString::to_string);
return Err(GetComponentReflectError::EntityDoesNotHaveComponent {
entity,
type_id,
component_id,
component_name,
});
};
let Some(type_registry) = self.get_resource::<AppTypeRegistry>().map(|atr| atr.read())
else {
return Err(GetComponentReflectError::MissingAppTypeRegistry);
};
let Some(reflect_from_ptr) = type_registry.get_type_data::<ReflectFromPtr>(type_id) else {
return Err(GetComponentReflectError::MissingReflectFromPtrTypeData(
type_id,
));
};
// SAFETY:
// - `comp_ptr` is guaranteed to point to an object of type `type_id`
// - `reflect_from_ptr` was constructed for type `type_id`
// - Assertion that checks this equality is present
unsafe {
assert_eq!(
reflect_from_ptr.type_id(),
type_id,
"Mismatch between Ptr's type_id and ReflectFromPtr's type_id",
);
Ok(reflect_from_ptr.as_reflect(comp_ptr))
}
}
/// Retrieves a mutable reference to the given `entity`'s [`Component`] of the given `type_id` using
/// reflection.
///
/// Requires implementing [`Reflect`] for the [`Component`] (e.g., using [`#[derive(Reflect)`](derive@bevy_reflect::Reflect))
/// and `app.register_type::<TheComponent>()` to have been called.
///
/// This is the mutable version of [`World::get_reflect`], see its docs for more information
/// and an example.
///
/// Just calling this method does not trigger [change detection](crate::change_detection).
///
/// # Errors
///
/// See [`GetComponentReflectError`] for the possible errors and their descriptions.
///
/// # Example
///
/// See the documentation for [`World::get_reflect`].
///
/// # Note
/// Requires the feature `bevy_reflect` (included in the default features).
///
/// [`Reflect`]: bevy_reflect::Reflect
#[inline]
pub fn get_reflect_mut(
&mut self,
entity: Entity,
type_id: TypeId,
) -> Result<Mut<'_, dyn Reflect>, GetComponentReflectError> {
// little clone() + read() dance so we a) don't keep a borrow of `self` and b) don't drop a
// temporary (from read()) too early.
let Some(app_type_registry) = self.get_resource::<AppTypeRegistry>().cloned() else {
return Err(GetComponentReflectError::MissingAppTypeRegistry);
};
let type_registry = app_type_registry.read();
let Some(reflect_from_ptr) = type_registry.get_type_data::<ReflectFromPtr>(type_id) else {
return Err(GetComponentReflectError::MissingReflectFromPtrTypeData(
type_id,
));
};
let Some(component_id) = self.components().get_id(type_id) else {
return Err(GetComponentReflectError::NoCorrespondingComponentId(
type_id,
));
};
// HACK: Only required for the `None`-case/`else`-branch, but it borrows `self`, which will
// already be mutablyy borrowed by `self.get_mut_by_id()`, and I didn't find a way around it.
let component_name = self
.components()
.get_name(component_id)
.map(ToString::to_string);
let Some(comp_mut_untyped) = self.get_mut_by_id(entity, component_id) else {
return Err(GetComponentReflectError::EntityDoesNotHaveComponent {
entity,
type_id,
component_id,
component_name,
});
};
// SAFETY:
// - `comp_mut_untyped` is guaranteed to point to an object of type `type_id`
// - `reflect_from_ptr` was constructed for type `type_id`
// - Assertion that checks this equality is present
let comp_mut_typed = comp_mut_untyped.map_unchanged(|ptr_mut| unsafe {
assert_eq!(
reflect_from_ptr.type_id(),
type_id,
"Mismatch between PtrMut's type_id and ReflectFromPtr's type_id",
);
reflect_from_ptr.as_reflect_mut(ptr_mut)
});
Ok(comp_mut_typed)
}
}
/// The error type returned by [`World::get_reflect`] and [`World::get_reflect_mut`].
#[derive(Error, Display, Debug)]
pub enum GetComponentReflectError {
/// There is no [`ComponentId`] corresponding to the given [`TypeId`].
///
/// This is usually handled by calling [`App::register_type`] for the type corresponding to
/// the given [`TypeId`].
///
/// See the documentation for [`bevy_reflect`] for more information.
///
/// [`App::register_type`]: ../../../bevy_app/struct.App.html#method.register_type
#[display(
"No `ComponentId` corresponding to {_0:?} found (did you call App::register_type()?)"
)]
#[error(ignore)]
NoCorrespondingComponentId(TypeId),
/// The given [`Entity`] does not have a [`Component`] corresponding to the given [`TypeId`].
#[display("The given `Entity` {entity:?} does not have a `{component_name:?}` component ({component_id:?}, which corresponds to {type_id:?})")]
EntityDoesNotHaveComponent {
/// The given [`Entity`].
entity: Entity,
/// The given [`TypeId`].
type_id: TypeId,
/// The [`ComponentId`] corresponding to the given [`TypeId`].
component_id: ComponentId,
/// The name corresponding to the [`Component`] with the given [`TypeId`], or `None`
/// if not available.
component_name: Option<String>,
},
/// The [`World`] was missing the [`AppTypeRegistry`] resource.
#[display("The `World` was missing the `AppTypeRegistry` resource")]
MissingAppTypeRegistry,
/// The [`World`]'s [`TypeRegistry`] did not contain [`TypeData`] for [`ReflectFromPtr`] for the given [`TypeId`].
///
/// This is usually handled by calling [`App::register_type`] for the type corresponding to
/// the given [`TypeId`].
///
/// See the documentation for [`bevy_reflect`] for more information.
///
/// [`TypeData`]: bevy_reflect::TypeData
/// [`TypeRegistry`]: bevy_reflect::TypeRegistry
/// [`ReflectFromPtr`]: bevy_reflect::ReflectFromPtr
/// [`App::register_type`]: ../../../bevy_app/struct.App.html#method.register_type
#[display("The `World`'s `TypeRegistry` did not contain `TypeData` for `ReflectFromPtr` for the given {_0:?} (did you call `App::register_type()`?)")]
#[error(ignore)]
MissingReflectFromPtrTypeData(TypeId),
}
#[cfg(test)]
mod tests {
use core::any::TypeId;
use bevy_reflect::Reflect;
use crate::{
// For bevy_ecs_macros
self as bevy_ecs,
prelude::{AppTypeRegistry, Component, DetectChanges, World},
};
#[derive(Component, Reflect)]
struct RFoo(i32);
#[derive(Component)]
struct Bar;
#[test]
fn get_component_as_reflect() {
let mut world = World::new();
world.init_resource::<AppTypeRegistry>();
let app_type_registry = world.get_resource_mut::<AppTypeRegistry>().unwrap();
app_type_registry.write().register::<RFoo>();
{
let entity_with_rfoo = world.spawn(RFoo(42)).id();
let comp_reflect = world
.get_reflect(entity_with_rfoo, TypeId::of::<RFoo>())
.expect("Reflection of RFoo-component failed");
assert!(comp_reflect.is::<RFoo>());
}
{
let entity_without_rfoo = world.spawn_empty().id();
let reflect_opt = world.get_reflect(entity_without_rfoo, TypeId::of::<RFoo>());
assert!(reflect_opt.is_err());
}
{
let entity_with_bar = world.spawn(Bar).id();
let reflect_opt = world.get_reflect(entity_with_bar, TypeId::of::<Bar>());
assert!(reflect_opt.is_err());
}
}
#[test]
fn get_component_as_mut_reflect() {
let mut world = World::new();
world.init_resource::<AppTypeRegistry>();
let app_type_registry = world.get_resource_mut::<AppTypeRegistry>().unwrap();
app_type_registry.write().register::<RFoo>();
{
let entity_with_rfoo = world.spawn(RFoo(42)).id();
let mut comp_reflect = world
.get_reflect_mut(entity_with_rfoo, TypeId::of::<RFoo>())
.expect("Mutable reflection of RFoo-component failed");
let comp_rfoo_reflected = comp_reflect
.downcast_mut::<RFoo>()
.expect("Wrong type reflected (expected RFoo)");
assert_eq!(comp_rfoo_reflected.0, 42);
comp_rfoo_reflected.0 = 1337;
let rfoo_ref = world.entity(entity_with_rfoo).get_ref::<RFoo>().unwrap();
assert!(rfoo_ref.is_changed());
assert_eq!(rfoo_ref.0, 1337);
}
{
let entity_without_rfoo = world.spawn_empty().id();
let reflect_opt = world.get_reflect_mut(entity_without_rfoo, TypeId::of::<RFoo>());
assert!(reflect_opt.is_err());
}
{
let entity_with_bar = world.spawn(Bar).id();
let reflect_opt = world.get_reflect_mut(entity_with_bar, TypeId::of::<Bar>());
assert!(reflect_opt.is_err());
}
}
}