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 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531
//! Let's say you have a trait that you want to implement for some of your components.
//!
//! ```
//! # use bevy::prelude::*;
//! #
//! /// Components that display a message when hovered.
//! pub trait Tooltip {
//! /// Text displayed when hovering over an entity with this trait.
//! fn tooltip(&self) -> &str;
//! }
//! ```
//!
//! In order to be useful within bevy, you'll want to be able to query for this trait.
//!
//! ```
//! # use bevy::prelude::*;
//! # // Required to make the macro work, because cargo thinks
//! # // we are in `bevy_trait_query` when compiling this example.
//! # use bevy_trait_query::*;
//!
//! // Just add this attribute...
//! #[bevy_trait_query::queryable]
//! pub trait Tooltip {
//! fn tooltip(&self) -> &str;
//! }
//!
//! // ...and now you can use your trait in queries.
//! fn show_tooltips_system(
//! tooltips: Query<&dyn Tooltip>,
//! // ...
//! ) {
//! // ...
//! }
//! # bevy_ecs::system::assert_is_system(show_tooltips_system);
//! ```
//!
//! Since Rust unfortunately lacks any kind of reflection, it is necessary to register each
//! component with the trait when the app gets built.
//!
//! ```
//! # use bevy::prelude::*;
//! # use bevy_trait_query::*;
//! #
//! # #[bevy_trait_query::queryable]
//! # pub trait Tooltip {
//! # fn tooltip(&self) -> &str;
//! # }
//! #
//! #[derive(Component)]
//! struct Player(String);
//!
//! #[derive(Component)]
//! enum Villager {
//! Farmer,
//! // ...
//! }
//!
//! #[derive(Component)]
//! struct Monster;
//!
//! /* ...trait implementations omitted for brevity... */
//!
//! # impl Tooltip for Player {
//! # fn tooltip(&self) -> &str {
//! # &self.0
//! # }
//! # }
//! #
//! # impl Tooltip for Villager {
//! # fn tooltip(&self) -> &str {
//! # "Villager"
//! # }
//! # }
//! #
//! # impl Tooltip for Monster {
//! # fn tooltip(&self) -> &str {
//! # "Run!"
//! # }
//! # }
//! #
//! struct TooltipPlugin;
//!
//! impl Plugin for TooltipPlugin {
//! fn build(&self, app: &mut App) {
//! // We must import this trait in order to register our components.
//! // If we don't register them, they will be invisible to the game engine.
//! use bevy_trait_query::RegisterExt;
//!
//! app
//! .register_component_as::<dyn Tooltip, Player>()
//! .register_component_as::<dyn Tooltip, Villager>()
//! .register_component_as::<dyn Tooltip, Monster>()
//! .add_systems(Update, show_tooltips);
//! }
//! }
//! # fn show_tooltips() {}
//! #
//! # fn main() {
//! # App::new().add_plugins((DefaultPlugins, TooltipPlugin)).update();
//! # }
//! ```
//!
//! Unlike queries for concrete types, it's possible for an entity to have multiple components
//! that match a trait query.
//!
//! ```
//! # use bevy::prelude::*;
//! # use bevy_trait_query::*;
//! #
//! # #[bevy_trait_query::queryable]
//! # pub trait Tooltip {
//! # fn tooltip(&self) -> &str;
//! # }
//! #
//! # #[derive(Component)]
//! # struct Player(String);
//! #
//! # #[derive(Component)]
//! # struct Monster;
//! #
//! # impl Tooltip for Player {
//! # fn tooltip(&self) -> &str {
//! # &self.0
//! # }
//! # }
//! #
//! # impl Tooltip for Monster {
//! # fn tooltip(&self) -> &str {
//! # "Run!"
//! # }
//! # }
//! #
//! # fn main() {
//! # App::new()
//! # .add_plugins(DefaultPlugins)
//! # .register_component_as::<dyn Tooltip, Player>()
//! # .register_component_as::<dyn Tooltip, Monster>()
//! # .add_systems(Startup, setup)
//! # .update();
//! # }
//! #
//! # fn setup(mut commands: Commands) {
//! # commands.spawn(Player("Fourier".to_owned()));
//! # commands.spawn(Monster);
//! # }
//!
//! fn show_tooltips(
//! tooltips: Query<&dyn Tooltip>,
//! // ...
//! ) {
//! // Iterate over each entity that has tooltips.
//! for entity_tooltips in &tooltips {
//! // Iterate over each component implementing `Tooltip` for the current entity.
//! for tooltip in entity_tooltips {
//! println!("Tooltip: {}", tooltip.tooltip());
//! }
//! }
//!
//! // If you instead just want to iterate over all tooltips, you can do:
//! for tooltip in tooltips.iter().flatten() {
//! println!("Tooltip: {}", tooltip.tooltip());
//! }
//! }
//! ```
//!
//! Alternatively, if you expect to only have component implementing the trait for each entity,
//! you can use the filter [`One`](crate::one::One). This has significantly better performance than iterating
//! over all trait impls.
//!
//! ```
//! # use bevy::prelude::*;
//! # use bevy_trait_query::*;
//! #
//! # #[bevy_trait_query::queryable]
//! # pub trait Tooltip {
//! # fn tooltip(&self) -> &str;
//! # }
//! #
//! use bevy_trait_query::One;
//!
//! fn show_tooltips(
//! tooltips: Query<One<&dyn Tooltip>>,
//! // ...
//! ) {
//! for tooltip in &tooltips {
//! println!("Tooltip: {}", tooltip.tooltip());
//! }
//! }
//! # bevy_ecs::system::assert_is_system(show_tooltips);
//! ```
//!
//! Trait queries support basic change detection filtration. So to get all the components that
//! implement the target trait, and have also changed in some way since the last tick, you can:
//! ```no_run
//! # use bevy::prelude::*;
//! # use bevy_trait_query::*;
//! #
//! # #[bevy_trait_query::queryable]
//! # pub trait Tooltip {
//! # fn tooltip(&self) -> &str;
//! # }
//! #
//! fn show_tooltips(
//! tooltips_query: Query<All<&dyn Tooltip>>
//! // ...
//! ) {
//! // Iterate over all entities with at least one component implementing `Tooltip`
//! for entity_tooltips in &tooltips_query {
//! // Iterate over each component for the current entity that changed since the last time the system was run.
//! for tooltip in entity_tooltips.iter_changed() {
//! println!("Changed Tooltip: {}", tooltip.tooltip());
//! }
//! }
//! }
//! ```
//!
//! Similar to [`iter_changed`](crate::all::All::iter_changed), we have [`iter_added`](crate::all::All::iter_added)
//! to detect entities which have had a trait-implementing component added since the last tick.
//!
//! If you know you have only one component that implements the target trait,
//! you can use `OneAdded` or `OneChanged` which behave more like the typical
//! `bevy` `Added/Changed` filters:
//! ```no_run
//! # use bevy::prelude::*;
//! # use bevy_trait_query::*;
//! #
//! # #[bevy_trait_query::queryable]
//! # pub trait Tooltip {
//! # fn tooltip(&self) -> &str;
//! # }
//! #
//! fn show_tooltips(
//! tooltips_query: Query<One<&dyn Tooltip>, OneChanged<dyn Tooltip>>
//! // ...
//! ) {
//! // Iterate over each entity that has one tooltip implementing component that has also changed
//! for tooltip in &tooltips_query {
//! println!("Changed Tooltip: {}", tooltip.tooltip());
//! }
//! }
//! ```
//! Note in the above example how `OneChanged` does *not* take a reference to the trait object!
//!
//! # Performance
//!
//! The performance of trait queries is quite competitive. Here are some benchmarks for simple cases:
//!
//! | | Concrete type | One<dyn Trait> | All<dyn Trait> |
//! |-------------------|----------------|-------------------|-----------------|
//! | 1 match | 16.135 µs | 31.441 µs | 63.273 µs |
//! | 2 matches | 17.501 µs | - | 102.83 µs |
//! | 1-2 matches | - | 16.959 µs | 82.179 µs |
//!
use bevy_ecs::{
component::{ComponentId, ComponentStorage, StorageType},
prelude::{Component, Resource, World},
ptr::{Ptr, PtrMut},
};
#[cfg(test)]
mod tests;
pub mod all;
pub mod one;
pub use all::*;
pub use one::*;
/// Marker for traits that can be used in queries.
pub trait TraitQuery: 'static {}
pub use bevy_trait_query_impl::queryable;
#[doc(hidden)]
pub trait TraitQueryMarker<Trait: ?Sized + TraitQuery> {
type Covered: Component;
/// Casts an untyped pointer to a trait object pointer,
/// with a vtable corresponding to `Self::Covered`.
fn cast(_: *mut u8) -> *mut Trait;
}
/// Extension methods for registering components with trait queries.
pub trait RegisterExt {
/// Allows a component to be used in trait queries.
/// Calling this multiple times with the same arguments will do nothing on subsequent calls.
///
/// # Panics
/// If this function is called after the simulation starts for a given [`World`].
/// Due to engine limitations, registering new trait impls after the game starts cannot be supported.
fn register_component_as<Trait: ?Sized + TraitQuery, C: Component>(&mut self) -> &mut Self
where
(C,): TraitQueryMarker<Trait, Covered = C>;
}
impl RegisterExt for World {
fn register_component_as<Trait: ?Sized + TraitQuery, C: Component>(&mut self) -> &mut Self
where
(C,): TraitQueryMarker<Trait, Covered = C>,
{
let component_id = self.init_component::<C>();
let registry = self
.get_resource_or_insert_with::<TraitImplRegistry<Trait>>(Default::default)
.into_inner();
let meta = TraitImplMeta {
size_bytes: std::mem::size_of::<C>(),
dyn_ctor: DynCtor { cast: <(C,)>::cast },
};
registry.register::<C>(component_id, meta);
self
}
}
#[cfg(feature = "bevy_app")]
impl RegisterExt for bevy_app::App {
fn register_component_as<Trait: ?Sized + TraitQuery, C: Component>(&mut self) -> &mut Self
where
(C,): TraitQueryMarker<Trait, Covered = C>,
{
self.world.register_component_as::<Trait, C>();
self
}
}
#[derive(Resource)]
struct TraitImplRegistry<Trait: ?Sized> {
// Component IDs are stored contiguously so that we can search them quickly.
components: Vec<ComponentId>,
meta: Vec<TraitImplMeta<Trait>>,
table_components: Vec<ComponentId>,
table_meta: Vec<TraitImplMeta<Trait>>,
sparse_components: Vec<ComponentId>,
sparse_meta: Vec<TraitImplMeta<Trait>>,
sealed: bool,
}
impl<T: ?Sized> Default for TraitImplRegistry<T> {
#[inline]
fn default() -> Self {
Self {
components: vec![],
meta: vec![],
table_components: vec![],
table_meta: vec![],
sparse_components: vec![],
sparse_meta: vec![],
sealed: false,
}
}
}
impl<Trait: ?Sized + TraitQuery> TraitImplRegistry<Trait> {
fn register<C: Component>(&mut self, component: ComponentId, meta: TraitImplMeta<Trait>) {
// Don't register the same component multiple times.
if self.components.contains(&component) {
return;
}
if self.sealed {
// It is not possible to update the `FetchState` for a given system after the game has started,
// so for explicitness, let's panic instead of having a trait impl silently get forgotten.
panic!("Cannot register new trait impls after the game has started");
}
self.components.push(component);
self.meta.push(meta);
match <C as Component>::Storage::STORAGE_TYPE {
StorageType::Table => {
self.table_components.push(component);
self.table_meta.push(meta);
}
StorageType::SparseSet => {
self.sparse_components.push(component);
self.sparse_meta.push(meta);
}
}
}
fn seal(&mut self) {
self.sealed = true;
}
}
/// Stores data about an impl of a trait
struct TraitImplMeta<Trait: ?Sized> {
size_bytes: usize,
dyn_ctor: DynCtor<Trait>,
}
impl<T: ?Sized> Copy for TraitImplMeta<T> {}
impl<T: ?Sized> Clone for TraitImplMeta<T> {
fn clone(&self) -> Self {
*self
}
}
#[doc(hidden)]
pub mod imports {
pub use bevy_ecs::{
archetype::{Archetype, ArchetypeComponentId},
component::Tick,
component::{Component, ComponentId},
entity::Entity,
query::{
Access, Added, Changed, FilteredAccess, QueryItem, ReadOnlyWorldQuery, WorldQuery,
},
storage::{Table, TableRow},
world::{unsafe_world_cell::UnsafeWorldCell, World},
};
}
#[doc(hidden)]
pub struct TraitQueryState<Trait: ?Sized> {
components: Box<[ComponentId]>,
meta: Box<[TraitImplMeta<Trait>]>,
}
impl<Trait: ?Sized + TraitQuery> TraitQueryState<Trait> {
fn init(world: &mut World) -> Self {
#[cold]
fn missing_registry<T: ?Sized + 'static>() -> TraitImplRegistry<T> {
tracing::warn!(
"no components found matching `{}`, did you forget to register them?",
std::any::type_name::<T>()
);
TraitImplRegistry::<T>::default()
}
let mut registry = world.get_resource_or_insert_with(missing_registry);
registry.seal();
Self {
components: registry.components.clone().into_boxed_slice(),
meta: registry.meta.clone().into_boxed_slice(),
}
}
#[inline]
fn matches_component_set_any(&self, set_contains_id: &impl Fn(ComponentId) -> bool) -> bool {
self.components.iter().copied().any(set_contains_id)
}
#[inline]
fn matches_component_set_one(&self, set_contains_id: &impl Fn(ComponentId) -> bool) -> bool {
let match_count = self
.components
.iter()
.filter(|&&c| set_contains_id(c))
.count();
match_count == 1
}
}
/// Turns an untyped pointer into a trait object pointer,
/// for a specific erased concrete type.
struct DynCtor<Trait: ?Sized> {
cast: unsafe fn(*mut u8) -> *mut Trait,
}
impl<T: ?Sized> Copy for DynCtor<T> {}
impl<T: ?Sized> Clone for DynCtor<T> {
fn clone(&self) -> Self {
*self
}
}
impl<Trait: ?Sized> DynCtor<Trait> {
#[inline]
unsafe fn cast(self, ptr: Ptr) -> &Trait {
&*(self.cast)(ptr.as_ptr())
}
#[inline]
unsafe fn cast_mut(self, ptr: PtrMut) -> &mut Trait {
&mut *(self.cast)(ptr.as_ptr())
}
}
struct ZipExact<A, B> {
a: A,
b: B,
}
impl<A: Iterator, B: Iterator> Iterator for ZipExact<A, B> {
type Item = (A::Item, B::Item);
#[inline]
fn next(&mut self) -> Option<Self::Item> {
let a = self.a.next()?;
let b = self
.b
.next()
// SAFETY: `a` returned a valid value, and the caller of `zip_exact`
// guaranteed that `b` will return a value as long as `a` does.
.unwrap_or_else(|| unsafe { debug_unreachable() });
Some((a, b))
}
}
/// SAFETY: `b` must yield at least as many items as `a`.
#[inline]
unsafe fn zip_exact<A: IntoIterator, B: IntoIterator>(
a: A,
b: B,
) -> ZipExact<A::IntoIter, B::IntoIter>
where
A::IntoIter: ExactSizeIterator,
B::IntoIter: ExactSizeIterator,
{
let a = a.into_iter();
let b = b.into_iter();
debug_assert_eq!(a.len(), b.len());
ZipExact { a, b }
}
#[track_caller]
#[inline(always)]
unsafe fn debug_unreachable() -> ! {
#[cfg(debug_assertions)]
unreachable!();
#[cfg(not(debug_assertions))]
std::hint::unreachable_unchecked();
}
#[inline(never)]
#[cold]
fn trait_registry_error() -> ! {
panic!("The trait query registry has not been initialized; did you forget to register your traits with the world?")
}