diff options
Diffstat (limited to 'ecs')
40 files changed, 3808 insertions, 1947 deletions
| diff --git a/ecs/Cargo.toml b/ecs/Cargo.toml index cf35a74..5ea9fc7 100644 --- a/ecs/Cargo.toml +++ b/ecs/Cargo.toml @@ -11,7 +11,6 @@ seq-macro = "0.3.5"  paste = "1.0.14"  thiserror = "1.0.49"  tracing = "0.1.39" -linkme = "0.3.29"  hashbrown = "0.15.2"  parking_lot = "0.12.3"  ecs-macros = { path = "../ecs-macros" } diff --git a/ecs/examples/component_changed_event.rs b/ecs/examples/component_changed_event.rs new file mode 100644 index 0000000..1a53a88 --- /dev/null +++ b/ecs/examples/component_changed_event.rs @@ -0,0 +1,78 @@ +use ecs::event::component::Changed; +use ecs::pair::Pair; +use ecs::phase::UPDATE as UPDATE_PHASE; +use ecs::system::observer::Observe; +use ecs::{Component, Query, World}; + +#[derive(Component)] +struct SomeData +{ +    num: u64, +} + +#[derive(Component)] +struct Greeting +{ +    greeting: String, +} + +fn say_hello(query: Query<(&SomeData, &mut Greeting)>) +{ +    for (data, mut greeting) in &query { +        println!("{}: {}", greeting.greeting, data.num); + +        if greeting.greeting == "Good evening" { +            greeting.greeting = "Good morning".to_string(); +            greeting.set_changed(); +        } +    } +} + +fn print_changed_greetings(observe: Observe<'_, Pair<Changed, Greeting>>) +{ +    println!("\nChanged greetings:"); + +    for evt_match in &observe { +        let greeting = evt_match.get_changed_comp(); + +        println!("A greeting changed to {}", greeting.greeting); +    } + +    println!(""); +} + +fn main() +{ +    let mut world = World::new(); + +    world.register_system(*UPDATE_PHASE, say_hello); + +    world.register_observer(print_changed_greetings); + +    world.create_entity(( +        SomeData { num: 987_654 }, +        Greeting { +            greeting: "Good afternoon".to_string(), +        }, +    )); + +    world.create_entity(( +        SomeData { num: 345 }, +        Greeting { greeting: "Good evening".to_string() }, +    )); + +    world.step(); + +    world.step(); + +    for (mut greeting,) in &world.query::<(&mut Greeting,), ()>() { +        if greeting.greeting == "Good afternoon" { +            greeting.greeting = "Yo yo".to_string(); +            greeting.set_changed(); +        } +    } + +    world.step(); + +    world.step(); +} diff --git a/ecs/examples/component_events.rs b/ecs/examples/component_events.rs new file mode 100644 index 0000000..af09ff9 --- /dev/null +++ b/ecs/examples/component_events.rs @@ -0,0 +1,64 @@ +use ecs::actions::Actions; +use ecs::component::Component; +use ecs::event::component::{Changed, Removed}; +use ecs::pair::Pair; +use ecs::phase::UPDATE; +use ecs::system::observer::Observe; +use ecs::{Component, Query, World}; + +#[derive(Debug, Component)] +struct CheeseCrumbs +{ +    cnt: usize, +} + +#[derive(Debug, Component)] +struct Cheese +{ +    name: &'static str, +} + +fn eat_cheese(query: Query<(&Cheese, &mut CheeseCrumbs)>, mut actions: Actions) +{ +    for (cheese_ent_id, (_, mut cheese_crumbs)) in query.iter_with_euids() { +        println!("Eating cheese!"); + +        cheese_crumbs.cnt += 40; +        cheese_crumbs.set_changed(); + +        actions.remove_components(cheese_ent_id, [Cheese::id()]); +    } +} + +fn on_cheese_removed(observe: Observe<Pair<Removed, Cheese>>) +{ +    for evt_match in &observe { +        let cheese = evt_match.get_removed_comp(); + +        println!("{} cheese was eaten", cheese.name); +    } +} + +fn on_cheese_crumbs_changed(observe: Observe<Pair<Changed, CheeseCrumbs>>) +{ +    for evt_match in &observe { +        let cheese_crumbs = evt_match.get_changed_comp(); + +        println!("Cheese crumbs count changed to {}", cheese_crumbs.cnt); +    } +} + +fn main() +{ +    let mut world = World::new(); + +    world.register_system(*UPDATE, eat_cheese); +    world.register_observer(on_cheese_removed); +    world.register_observer(on_cheese_crumbs_changed); + +    world.create_entity((Cheese { name: "Brie" }, CheeseCrumbs { cnt: 0 })); +    world.create_entity((Cheese { name: "Parmesan" }, CheeseCrumbs { cnt: 0 })); +    world.create_entity((Cheese { name: "Gouda" }, CheeseCrumbs { cnt: 0 })); + +    world.step(); +} diff --git a/ecs/examples/component_relationship.rs b/ecs/examples/component_relationship.rs new file mode 100644 index 0000000..e07b214 --- /dev/null +++ b/ecs/examples/component_relationship.rs @@ -0,0 +1,65 @@ +use ecs::pair::Pair; +use ecs::phase::START as START_PHASE; +use ecs::{Component, Query, World}; + +#[derive(Component)] +struct Person +{ +    name: String, +} + +fn print_dog_likers(query: Query<(&Person, Pair<Likes, &Dogs>)>) +{ +    for (person, liked_dogs) in &query { +        println!( +            "{} likes {} dogs!", +            person.name, +            if liked_dogs.large { "large" } else { "small" }, +        ); +    } +} + +#[derive(Component)] +struct Likes; + +#[derive(Component)] +struct Cats; + +#[derive(Component)] +struct Dogs +{ +    large: bool, +} + +fn main() +{ +    let mut world = World::new(); + +    world.register_system(*START_PHASE, print_dog_likers); + +    world.create_entity(( +        Person { name: "Irving".to_string() }, +        Pair::builder() +            .relation::<Likes>() +            .target_as_data(Dogs { large: true }) +            .build(), +    )); + +    world.create_entity(( +        Person { name: "Mark".to_string() }, +        Pair::builder() +            .relation::<Likes>() +            .target_as_data(Cats) +            .build(), +    )); + +    world.create_entity(( +        Person { name: "Helena".to_string() }, +        Pair::builder() +            .relation::<Likes>() +            .target_as_data(Dogs { large: false }) +            .build(), +    )); + +    world.step(); +} diff --git a/ecs/examples/component_removed_event.rs b/ecs/examples/component_removed_event.rs new file mode 100644 index 0000000..776aa48 --- /dev/null +++ b/ecs/examples/component_removed_event.rs @@ -0,0 +1,46 @@ +use ecs::actions::Actions; +use ecs::component::Component; +use ecs::event::component::Removed; +use ecs::pair::Pair; +use ecs::phase::UPDATE; +use ecs::system::observer::Observe; +use ecs::{Component, Query, World}; + +#[derive(Debug, Component)] +struct Cheese +{ +    name: &'static str, +} + +fn eat_cheese(query: Query<(&Cheese,)>, mut actions: Actions) +{ +    for (cheese_ent_id, (_,)) in query.iter_with_euids() { +        println!("Eating cheese!"); + +        actions.remove_components(cheese_ent_id, [Cheese::id()]); +    } +} + +fn on_cheese_removed(observe: Observe<Pair<Removed, Cheese>>) +{ +    for evt_match in &observe { +        let cheese = evt_match.get_removed_comp(); + +        println!("{} cheese was eaten", cheese.name); +    } +} + +fn main() +{ +    let mut world = World::new(); + +    world.register_system(*UPDATE, eat_cheese); +    world.register_observer(on_cheese_removed); + +    world.create_entity((Cheese { name: "Brie" },)); +    world.create_entity((Cheese { name: "Parmesan" },)); +    world.create_entity((Cheese { name: "Gouda" },)); + +    world.step(); +    world.step(); +} diff --git a/ecs/examples/event_loop.rs b/ecs/examples/event_loop.rs index 2365eb0..bec2c00 100644 --- a/ecs/examples/event_loop.rs +++ b/ecs/examples/event_loop.rs @@ -1,7 +1,7 @@  use ecs::actions::Actions; +use ecs::pair::{ChildOf, Pair};  use ecs::phase::{Phase, UPDATE as UPDATE_PHASE}; -use ecs::relationship::{ChildOf, Relationship}; -use ecs::{static_entity, Component, Query, World}; +use ecs::{declare_entity, Component, Query, World};  #[derive(Component)]  struct Wool @@ -65,25 +65,47 @@ fn age(query: Query<(&mut Health, &Name)>, mut actions: Actions)      }  } -static_entity!( +declare_entity!(      SHEER_PHASE, -    (Phase, <Relationship<ChildOf, Phase>>::new(*UPDATE_PHASE)) +    ( +        Phase, +        Pair::builder() +            .relation::<ChildOf>() +            .target_id(*UPDATE_PHASE) +            .build() +    )  ); -static_entity!( +declare_entity!(      FEED_PHASE, -    (Phase, <Relationship<ChildOf, Phase>>::new(*SHEER_PHASE)) +    ( +        Phase, +        Pair::builder() +            .relation::<ChildOf>() +            .target_id(*SHEER_PHASE) +            .build() +    )  ); -static_entity!( +declare_entity!(      AGE_PHASE, -    (Phase, <Relationship<ChildOf, Phase>>::new(*FEED_PHASE)) +    ( +        Phase, +        Pair::builder() +            .relation::<ChildOf>() +            .target_id(*FEED_PHASE) +            .build() +    )  );  fn main()  {      let mut world = World::new(); +    world.create_declared_entity(&SHEER_PHASE); +    world.create_declared_entity(&FEED_PHASE); +    world.create_declared_entity(&AGE_PHASE); +      world.register_system(*SHEER_PHASE, sheer);      world.register_system(*FEED_PHASE, feed);      world.register_system(*AGE_PHASE, age); diff --git a/ecs/examples/optional_component.rs b/ecs/examples/optional_component.rs index 488dad2..ebc9115 100644 --- a/ecs/examples/optional_component.rs +++ b/ecs/examples/optional_component.rs @@ -21,7 +21,7 @@ pub struct CatName      name: String,  } -fn pet_cats(query: Query<(&CatName, &mut PettingCapacity, &Option<Aggressivity>)>) +fn pet_cats(query: Query<(&CatName, &mut PettingCapacity, Option<&Aggressivity>)>)  {      for (cat_name, mut petting_capacity, aggressivity) in &query {          let Some(aggressivity) = aggressivity else { diff --git a/ecs/examples/relationship.rs b/ecs/examples/relationship.rs index 240884a..4e94151 100644 --- a/ecs/examples/relationship.rs +++ b/ecs/examples/relationship.rs @@ -1,5 +1,5 @@ +use ecs::pair::{Pair, Wildcard};  use ecs::phase::START as START_PHASE; -use ecs::relationship::Relationship;  use ecs::{Component, Query, World};  #[derive(Component)] @@ -17,16 +17,19 @@ struct Health      health: u32,  } +#[derive(Component)]  struct Holding; -fn print_player_stats( -    player_query: Query<(&Player, &Health, &Relationship<Holding, Sword>)>, -) +fn print_player_stats(player_query: Query<(&Player, &Health, Pair<Holding, Wildcard>)>)  { -    for (_, health, sword_relationship) in &player_query { +    for (_, health, target_sword) in &player_query {          println!("Player health: {}", health.health); -        if let Some(sword) = sword_relationship.get(0) { +        if let Some(sword_ent) = target_sword.get_target_ent() { +            let sword = sword_ent +                .get::<Sword>() +                .expect("Sword entity is missing sword component"); +              println!("Player sword attack strength: {}", sword.attack_strength);          }      } @@ -43,7 +46,10 @@ fn main()      world.create_entity((          Player,          Health { health: 180 }, -        Relationship::<Holding, Sword>::new(sword_uid), +        Pair::builder() +            .relation::<Holding>() +            .target_id(sword_uid) +            .build(),      ));      world.step(); diff --git a/ecs/examples/with_local.rs b/ecs/examples/with_local.rs index 4658fc0..7a36d0e 100644 --- a/ecs/examples/with_local.rs +++ b/ecs/examples/with_local.rs @@ -1,6 +1,7 @@  use ecs::component::local::Local;  use ecs::phase::UPDATE as UPDATE_PHASE; -use ecs::system::{Into, System}; +use ecs::system::initializable::Initializable; +use ecs::system::Into;  use ecs::{Component, Query, World};  #[derive(Component)] diff --git a/ecs/examples/with_sole.rs b/ecs/examples/with_sole.rs index 689e562..7e89b0a 100644 --- a/ecs/examples/with_sole.rs +++ b/ecs/examples/with_sole.rs @@ -1,7 +1,7 @@ +use ecs::pair::{ChildOf, Pair};  use ecs::phase::{Phase, UPDATE as UPDATE_PHASE}; -use ecs::relationship::{ChildOf, Relationship};  use ecs::sole::Single; -use ecs::{static_entity, Component, Query, Sole, World}; +use ecs::{declare_entity, Component, Query, Sole, World};  #[derive(Component)]  struct Ammo @@ -31,15 +31,23 @@ fn print_total_ammo_count(ammo_counter: Single<AmmoCounter>)      assert_eq!(ammo_counter.counter, 19);  } -static_entity!( +declare_entity!(      PRINT_AMMO_COUNT_PHASE, -    (Phase, <Relationship<ChildOf, Phase>>::new(*UPDATE_PHASE)) +    ( +        Phase, +        Pair::builder() +            .relation::<ChildOf>() +            .target_id(*UPDATE_PHASE) +            .build() +    )  );  fn main()  {      let mut world = World::new(); +    world.create_declared_entity(&PRINT_AMMO_COUNT_PHASE); +      world.register_system(*UPDATE_PHASE, count_ammo);      world.register_system(*PRINT_AMMO_COUNT_PHASE, print_total_ammo_count); diff --git a/ecs/src/actions.rs b/ecs/src/actions.rs index 7dff3a5..549e341 100644 --- a/ecs/src/actions.rs +++ b/ecs/src/actions.rs @@ -1,13 +1,12 @@ +use std::any::type_name;  use std::marker::PhantomData; -use std::sync::{Arc, Weak}; - -use crate::component::{ -    Component, -    Metadata as ComponentMetadata, -    Sequence as ComponentSequence, -}; -use crate::system::{Param as SystemParam, System}; -use crate::uid::{Kind as UidKind, Uid}; +use std::rc::{Rc, Weak}; + +use crate::component::{Parts as ComponentParts, Sequence as ComponentSequence}; +use crate::event::component::Removed; +use crate::pair::Pair; +use crate::system::{Metadata as SystemMetadata, Param as SystemParam}; +use crate::uid::{Kind as UidKind, Uid, WithUidTuple};  use crate::{ActionQueue, World};  /// Used to to queue up actions for a [`World`] to perform. @@ -15,18 +14,23 @@ use crate::{ActionQueue, World};  pub struct Actions<'world>  {      action_queue: &'world ActionQueue, -    action_queue_weak: Weak<ActionQueue>, +    world: Option<&'world World>,  } -impl<'world> Actions<'world> +impl Actions<'_>  { -    /// Queues up a entity to spawn at the end of the current tick. -    pub fn spawn<Comps: ComponentSequence>(&mut self, components: Comps) +    /// Queues up a entity to spawn at the end of the current tick, returning the [`Uid`] +    /// that the entity will have. +    pub fn spawn<Comps: ComponentSequence>(&mut self, components: Comps) -> Uid      { +        let new_entity_uid = Uid::new_unique(UidKind::Entity); +          self.action_queue.push(Action::Spawn( -            components.into_array().into(), -            EventIds { ids: Comps::added_event_ids() }, +            new_entity_uid, +            components.into_parts_array().into(),          )); + +        new_entity_uid      }      /// Queues up despawning a entity at the end of the current tick. @@ -34,6 +38,31 @@ impl<'world> Actions<'world>      {          debug_assert_eq!(entity_uid.kind(), UidKind::Entity); +        let Some(world) = self.world else { +            self.action_queue.push(Action::Despawn(entity_uid)); +            return; +        }; + +        let Some(ent) = world.get_entity(entity_uid) else { +            tracing::warn!("Cannot entity that doesn't exist"); +            return; +        }; + +        // TODO: Submit all events with a single function call to reduce overhead +        for comp_id in ent.component_ids() { +            if comp_id.kind() == UidKind::Pair { +                continue; +            } + +            world.event_submitter().submit_event( +                &Pair::builder() +                    .relation::<Removed>() +                    .target_id(comp_id) +                    .build(), +                entity_uid, +            ); +        } +          self.action_queue.push(Action::Despawn(entity_uid));      } @@ -50,27 +79,70 @@ impl<'world> Actions<'world>          self.action_queue.push(Action::AddComponents(              entity_uid, -            components.into_array().into(), -            EventIds { ids: Comps::added_event_ids() }, +            components.into_parts_array().into(),          ));      }      /// Queues up removing component(s) from a entity at the end of the current tick. -    pub fn remove_components<Comps>(&mut self, entity_uid: Uid) -    where -        Comps: ComponentSequence, +    #[tracing::instrument(skip(self, component_ids))] +    pub fn remove_components( +        &mut self, +        entity_uid: Uid, +        component_ids: impl IntoIterator<Item = Uid>, +    )      {          debug_assert_eq!(entity_uid.kind(), UidKind::Entity); -        if Comps::COUNT == 0 { +        let mut component_ids = component_ids.into_iter().peekable(); + +        if component_ids.peek().is_none() {              return;          } -        self.action_queue.push(Action::RemoveComponents( -            entity_uid, -            Comps::metadata().into_iter().collect(), -            EventIds { ids: Comps::removed_event_ids() }, -        )); +        let Some(world) = self.world else { +            self.action_queue.push(Action::RemoveComponents( +                entity_uid, +                component_ids.collect(), +            )); +            return; +        }; + +        let Some(ent) = world.get_entity(entity_uid) else { +            tracing::warn!("Cannot remove components from entity that doesn't exist"); +            return; +        }; + +        let component_ids = component_ids +            .filter(|comp_id| ent.has_component(*comp_id)) +            .collect::<Vec<_>>(); + +        if component_ids.is_empty() { +            return; +        } + +        // TODO: Submit all events with a single function call to reduce overhead +        for comp_id in &component_ids { +            if comp_id.kind() == UidKind::Pair { +                continue; +            } + +            world.event_submitter().submit_event( +                &Pair::builder() +                    .relation::<Removed>() +                    .target_id(*comp_id) +                    .build(), +                entity_uid, +            ); +        } + +        self.action_queue +            .push(Action::RemoveComponents(entity_uid, component_ids)); +    } + +    /// Queues up removing component(s) from a entity at the end of the current tick. +    pub fn remove_comps<Ids: WithUidTuple>(&mut self, entity_uid: Uid) +    { +        self.remove_components(entity_uid, Ids::uids());      }      /// Stops the [`World`]. The world will finish the current tick and that tick will be @@ -83,19 +155,22 @@ impl<'world> Actions<'world>      /// Returns a struct which holds a weak reference to the [`World`] that `Actions`      /// references and that can be used to aquire a new `Actions` instance if the      /// referenced [`World`] is still alive. +    /// +    /// # Panics +    /// This function will panic if `self` was retrieved from a [`WeakRef`].      #[must_use]      pub fn to_weak_ref(&self) -> WeakRef      { -        WeakRef { -            action_queue: self.action_queue_weak.clone(), -        } -    } +        let world = self.world.unwrap_or_else(|| { +            panic!( +                "This function cannot be called if the {} was retrieved from a {}", +                type_name::<Self>(), +                type_name::<WeakRef>() +            ) +        }); -    fn new(action_queue: &'world Arc<ActionQueue>) -> Self -    { -        Self { -            action_queue, -            action_queue_weak: Arc::downgrade(action_queue), +        WeakRef { +            action_queue: Rc::downgrade(&world.data.action_queue),          }      }  } @@ -104,19 +179,12 @@ impl<'world> SystemParam<'world> for Actions<'world>  {      type Input = (); -    fn initialize<SystemImpl>( -        _system: &mut impl System<'world, SystemImpl>, -        _input: Self::Input, -    ) -    { -    } - -    fn new<SystemImpl>( -        _system: &'world impl System<'world, SystemImpl>, -        world: &'world World, -    ) -> Self +    fn new(world: &'world World, _system_metadata: &SystemMetadata) -> Self      { -        Self::new(&world.data.action_queue) +        Self { +            action_queue: &world.data.action_queue, +            world: Some(world), +        }      }  } @@ -146,7 +214,7 @@ impl WeakRef  #[derive(Debug, Clone)]  pub struct Ref<'weak_ref>  { -    action_queue: Arc<ActionQueue>, +    action_queue: Rc<ActionQueue>,      _pd: PhantomData<&'weak_ref ()>,  } @@ -155,23 +223,20 @@ impl Ref<'_>      #[must_use]      pub fn to_actions(&self) -> Actions<'_>      { -        Actions::new(&self.action_queue) +        Actions { +            action_queue: &self.action_queue, +            world: None, +        }      }  } -#[derive(Debug)] -pub(crate) struct EventIds -{ -    pub(crate) ids: Vec<Uid>, -} -  /// A action for a [`System`] to perform.  #[derive(Debug)]  pub(crate) enum Action  { -    Spawn(Vec<(Uid, Box<dyn Component>)>, EventIds), +    Spawn(Uid, Vec<ComponentParts>),      Despawn(Uid), -    AddComponents(Uid, Vec<(Uid, Box<dyn Component>)>, EventIds), -    RemoveComponents(Uid, Vec<ComponentMetadata>, EventIds), +    AddComponents(Uid, Vec<ComponentParts>), +    RemoveComponents(Uid, Vec<Uid>),      Stop,  } diff --git a/ecs/src/component.rs b/ecs/src/component.rs index 525bd98..17b279b 100644 --- a/ecs/src/component.rs +++ b/ecs/src/component.rs @@ -4,66 +4,34 @@ use std::ops::{Deref, DerefMut};  use seq_macro::seq; -use crate::event::component::{ -    Added as ComponentAddedEvent, -    Kind as ComponentEventKind, -    Removed as ComponentRemovedEvent, -}; +use crate::event::component::Changed; +use crate::event::Submitter as EventSubmitter;  use crate::lock::{      Error as LockError, -    Lock,      MappedReadGuard,      MappedWriteGuard,      ReadGuard,      WriteGuard,  }; +use crate::pair::Pair;  use crate::system::Input as SystemInput; -use crate::type_name::TypeName;  use crate::uid::Uid;  use crate::util::Array; -use crate::World; +use crate::{EntityComponentRef, World};  pub mod local;  pub(crate) mod storage; -pub trait Component: SystemInput + Any + TypeName +pub trait Component: SystemInput + Any  { -    /// The component type in question. Will usually be `Self` -    type Component: Component -    where -        Self: Sized; - -    type HandleMut<'component>: FromLockedOptional<'component> -    where -        Self: Sized; - -    type Handle<'component>: FromLockedOptional<'component> -    where -        Self: Sized; -      /// Returns the ID of this component.      fn id() -> Uid      where          Self: Sized; -    /// Returns the component UID of a component event for this component. -    fn get_event_uid(&self, event_kind: ComponentEventKind) -> Uid; - -    /// Returns whether the component `self` is optional. -    fn self_is_optional(&self) -> bool -    { -        false -    } - -    /// Returns whether this component is optional. -    #[must_use] -    fn is_optional() -> bool -    where -        Self: Sized, -    { -        false -    } +    /// Returns the name of this component. +    fn name(&self) -> &'static str;  }  impl dyn Component @@ -92,199 +60,55 @@ impl Debug for dyn Component      }  } -impl TypeName for Box<dyn Component> -{ -    fn type_name(&self) -> &'static str -    { -        self.as_ref().type_name() -    } -} - -impl<ComponentT> Component for Option<ComponentT> -where -    ComponentT: Component, -    for<'a> Option<ComponentT::Handle<'a>>: FromLockedOptional<'a>, -    for<'a> Option<ComponentT::HandleMut<'a>>: FromLockedOptional<'a>, -{ -    type Component = ComponentT; -    type Handle<'component> = Option<ComponentT::Handle<'component>>; -    type HandleMut<'component> = Option<ComponentT::HandleMut<'component>>; - -    fn id() -> Uid -    { -        ComponentT::id() -    } - -    fn get_event_uid(&self, event_kind: ComponentEventKind) -> Uid -    { -        match event_kind { -            ComponentEventKind::Removed => ComponentRemovedEvent::<Self>::id(), -        } -    } - -    fn self_is_optional(&self) -> bool -    { -        true -    } - -    fn is_optional() -> bool -    { -        true -    } -} - -impl<ComponentT> TypeName for Option<ComponentT> -where -    ComponentT: Component, -{ -    fn type_name(&self) -> &'static str -    { -        type_name::<Self>() -    } -} - -impl<ComponentT> SystemInput for Option<ComponentT> where ComponentT: Component {} -  /// A sequence of components.  pub trait Sequence  {      /// The number of components in this component sequence.      const COUNT: usize; -    type Array: Array<(Uid, Box<dyn Component>)>; - -    fn into_array(self) -> Self::Array; - -    fn metadata() -> impl Array<Metadata>; - -    fn added_event_ids() -> Vec<Uid>; - -    fn removed_event_ids() -> Vec<Uid>; -} +    type PartsArray: Array<Parts>; -/// A mutable or immutable reference to a component. -pub trait Ref -{ -    type Component: Component; -    type Handle<'component>: FromLockedOptional<'component>; +    fn into_parts_array(self) -> Self::PartsArray;  } -impl<ComponentT> Ref for &ComponentT -where -    ComponentT: Component, -{ -    type Component = ComponentT; -    type Handle<'component> = ComponentT::Handle<'component>; -} - -impl<ComponentT> Ref for &mut ComponentT -where -    ComponentT: Component, -{ -    type Component = ComponentT; -    type Handle<'component> = ComponentT::HandleMut<'component>; -} - -/// [`Component`] metadata. -#[derive(Debug, Clone)] -#[non_exhaustive] -pub struct Metadata +#[derive(Debug)] +pub struct Handle<'a, DataT: 'static>  { -    pub id: Uid, -    pub is_optional: bool, +    inner: MappedReadGuard<'a, DataT>,  } -impl Metadata +impl<'comp, DataT: 'static> Handle<'comp, DataT>  { -    #[must_use] -    pub fn new_non_optional(id: Uid) -> Self -    { -        Self { id, is_optional: false } -    } - -    #[must_use] -    pub fn of<ComponentT: Component>() -> Self -    { -        Self { -            id: ComponentT::id(), -            is_optional: ComponentT::is_optional(), -        } -    } -} - -pub trait FromLockedOptional<'comp>: Sized -{ -    /// Converts a reference to a optional locked boxed component to a instance of `Self`. +    /// Creates a new handle instance from a [`EntityComponentRef`].      ///      /// # Errors -    /// Returns `Err` if taking the lock (in a non-blocking way) fails. -    fn from_locked_optional_component( -        optional_component: Option<&'comp Lock<Box<dyn Component>>>, -        world: &'comp World, -    ) -> Result<Self, LockError>; -} - -#[derive(Debug)] -pub struct Handle<'a, ComponentT: Component> -{ -    inner: MappedReadGuard<'a, ComponentT>, -} - -impl<'a, ComponentT: Component> Handle<'a, ComponentT> -{ -    pub(crate) fn new(inner: ReadGuard<'a, Box<dyn Component>>) -> Self +    /// Will return `Err` if acquiring the component's lock fails. +    pub fn from_entity_component_ref( +        entity_component_ref: &EntityComponentRef<'comp>, +    ) -> Result<Self, HandleError>      { -        Self { -            inner: inner.map(|component| { -                component.downcast_ref::<ComponentT>().unwrap_or_else(|| { -                    panic!( -                        "Cannot downcast component {} to type {}", -                        component.type_name(), -                        type_name::<ComponentT>() -                    ); -                }) -            }), -        } +        Self::new( +            entity_component_ref +                .component() +                .read_nonblock() +                .map_err(AcquireLockError)?, +        )      } -} -impl<'component, ComponentT: Component> FromLockedOptional<'component> -    for Handle<'component, ComponentT> -{ -    fn from_locked_optional_component( -        optional_component: Option<&'component crate::lock::Lock<Box<dyn Component>>>, -        _world: &'component World, -    ) -> Result<Self, LockError> -    { -        let component = optional_component.unwrap_or_else(|| { -            panic!( -                "Component {} was not found in entity", -                type_name::<ComponentT>() -            ); -        }); - -        Ok(Self::new(component.read_nonblock()?)) -    } -} - -impl<'comp, ComponentT> FromLockedOptional<'comp> for Option<Handle<'comp, ComponentT>> -where -    ComponentT: Component, -{ -    fn from_locked_optional_component( -        optional_component: Option<&'comp Lock<Box<dyn Component>>>, -        _world: &'comp World, -    ) -> Result<Self, LockError> +    fn new(inner: ReadGuard<'comp, Box<dyn Any>>) -> Result<Self, HandleError>      { -        optional_component -            .map(|lock| Ok(Handle::new(lock.read_nonblock()?))) -            .transpose() +        Ok(Self { +            inner: ReadGuard::try_map(inner, |component| { +                component.downcast_ref::<DataT>() +            }) +            .map_err(|_| HandleError::IncorrectType)?, +        })      }  } -impl<ComponentT: Component> Deref for Handle<'_, ComponentT> +impl<DataT: 'static> Deref for Handle<'_, DataT>  { -    type Target = ComponentT; +    type Target = DataT;      fn deref(&self) -> &Self::Target      { @@ -293,67 +117,54 @@ impl<ComponentT: Component> Deref for Handle<'_, ComponentT>  }  #[derive(Debug)] -pub struct HandleMut<'a, ComponentT: Component> +pub struct HandleMut<'a, DataT: 'static>  { -    inner: MappedWriteGuard<'a, ComponentT>, +    entity_component_ref: EntityComponentRef<'a>, +    inner: MappedWriteGuard<'a, DataT>, +    event_submitter: EventSubmitter<'a>,  } -impl<'a, ComponentT: Component> HandleMut<'a, ComponentT> +impl<'comp, DataT: 'static> HandleMut<'comp, DataT>  { -    pub(crate) fn new(inner: WriteGuard<'a, Box<dyn Component>>) -> Self +    /// Creates a new handle instance from a [`EntityComponentRef`]. +    /// +    /// # Errors +    /// Will return `Err` if acquiring the component's lock fails. +    pub fn from_entity_component_ref( +        entity_component_ref: &EntityComponentRef<'comp>, +        world: &'comp World, +    ) -> Result<Self, HandleError>      { -        Self { -            inner: inner.map(|component| { -                let component_type_name = component.type_name(); - -                component.downcast_mut::<ComponentT>().unwrap_or_else(|| { -                    panic!( -                        "Cannot downcast component {component_type_name} to type {}", -                        type_name::<ComponentT>() -                    ); -                }) -            }), -        } +        let inner = entity_component_ref +            .component() +            .write_nonblock() +            .map_err(AcquireLockError)?; + +        Ok(Self { +            entity_component_ref: entity_component_ref.clone(), +            inner: WriteGuard::try_map(inner, |component| { +                component.downcast_mut::<DataT>() +            }) +            .map_err(|_| HandleError::IncorrectType)?, +            event_submitter: world.event_submitter(), +        })      } -} -impl<'component, ComponentT: Component> FromLockedOptional<'component> -    for HandleMut<'component, ComponentT> -{ -    fn from_locked_optional_component( -        optional_component: Option<&'component Lock<Box<dyn Component>>>, -        _world: &'component World, -    ) -> Result<Self, LockError> +    pub fn set_changed(&self)      { -        let component = optional_component.unwrap_or_else(|| { -            panic!( -                "Component {} was not found in entity", -                type_name::<ComponentT>() -            ); -        }); - -        Ok(Self::new(component.write_nonblock()?)) +        self.event_submitter.submit_event( +            &Pair::builder() +                .relation::<Changed>() +                .target_id(self.entity_component_ref.id()) +                .build(), +            self.entity_component_ref.entity_id(), +        );      }  } -impl<'comp, ComponentT> FromLockedOptional<'comp> for Option<HandleMut<'comp, ComponentT>> -where -    ComponentT: Component, -{ -    fn from_locked_optional_component( -        optional_component: Option<&'comp Lock<Box<dyn Component>>>, -        _world: &'comp World, -    ) -> Result<Self, LockError> -    { -        optional_component -            .map(|lock| Ok(HandleMut::new(lock.write_nonblock()?))) -            .transpose() -    } -} - -impl<ComponentT: Component> Deref for HandleMut<'_, ComponentT> +impl<DataT: 'static> Deref for HandleMut<'_, DataT>  { -    type Target = ComponentT; +    type Target = DataT;      fn deref(&self) -> &Self::Target      { @@ -361,7 +172,7 @@ impl<ComponentT: Component> Deref for HandleMut<'_, ComponentT>      }  } -impl<ComponentT: Component> DerefMut for HandleMut<'_, ComponentT> +impl<DataT: 'static> DerefMut for HandleMut<'_, DataT>  {      fn deref_mut(&mut self) -> &mut Self::Target      { @@ -369,53 +180,35 @@ impl<ComponentT: Component> DerefMut for HandleMut<'_, ComponentT>      }  } +#[derive(Debug, thiserror::Error)] +pub enum HandleError +{ +    #[error(transparent)] +    AcquireLockFailed(#[from] AcquireLockError), + +    #[error("Incorrect component type")] +    IncorrectType, +} + +#[derive(Debug, thiserror::Error)] +#[error("Failed to acquire component lock")] +pub struct AcquireLockError(#[source] LockError); +  macro_rules! inner {      ($c: tt) => {          seq!(I in 0..=$c { -            impl<#(IntoComp~I,)*> Sequence for (#(IntoComp~I,)*) -                where -                #( -                    for<'comp> IntoComp~I: Into<Component: Component>, -                )* +            impl<#(IntoCompParts~I: IntoParts,)*> Sequence for (#(IntoCompParts~I,)*)              {                  const COUNT: usize = $c + 1; -                type Array = [(Uid, Box<dyn Component>); $c + 1]; +                type PartsArray = [Parts; $c + 1]; -                fn into_array(self) -> Self::Array +                fn into_parts_array(self) -> Self::PartsArray                  {                      [#({ -                        let (id, component) = self.I.into_component(); - -                        (id, Box::new(component)) +                        self.I.into_parts()                      },)*]                  } - -                fn metadata() -> impl Array<Metadata> -                { -                    [ -                        #( -                            Metadata { -                                id: IntoComp~I::Component::id(), -                                is_optional: IntoComp~I::Component::is_optional(), -                            }, -                        )* -                    ] -                } - -                fn added_event_ids() -> Vec<Uid> -                { -                    vec![ -                        #(ComponentAddedEvent::<IntoComp~I::Component>::id(),)* -                    ] -                } - -                fn removed_event_ids() -> Vec<Uid> -                { -                    vec![ -                        #(ComponentRemovedEvent::<IntoComp~I::Component>::id(),)* -                    ] -                }              }          });      }; @@ -427,46 +220,105 @@ seq!(C in 0..=16 {  impl Sequence for ()  { -    type Array = [(Uid, Box<dyn Component>); 0]; +    type PartsArray = [Parts; 0];      const COUNT: usize = 0; -    fn into_array(self) -> Self::Array +    fn into_parts_array(self) -> Self::PartsArray      {          []      } +} + +pub trait IntoParts +{ +    fn into_parts(self) -> Parts; +} -    fn metadata() -> impl Array<Metadata> +impl<ComponentT> IntoParts for ComponentT +where +    ComponentT: Component, +{ +    fn into_parts(self) -> Parts      { -        [] +        Parts::builder() +            .name(type_name::<Self>()) +            .build(Self::id(), self) +    } +} + +/// The parts of a component. +#[derive(Debug)] +#[non_exhaustive] +pub struct Parts +{ +    id: Uid, +    name: &'static str, +    data: Box<dyn Any>, +} + +impl Parts +{ +    #[must_use] +    pub fn id(&self) -> Uid +    { +        self.id +    } + +    #[must_use] +    pub fn name(&self) -> &'static str +    { +        self.name      } -    fn added_event_ids() -> Vec<Uid> +    #[must_use] +    pub fn builder() -> PartsBuilder      { -        Vec::new() +        PartsBuilder::default()      } -    fn removed_event_ids() -> Vec<Uid> +    pub(crate) fn into_data(self) -> Box<dyn Any>      { -        Vec::new() +        self.data      }  } -pub trait Into +#[derive(Debug)] +pub struct PartsBuilder  { -    type Component; - -    fn into_component(self) -> (Uid, Self::Component); +    name: &'static str,  } -impl<ComponentT> Into for ComponentT -where -    ComponentT: Component, +impl PartsBuilder  { -    type Component = Self; +    #[must_use] +    pub fn name(mut self, name: &'static str) -> Self +    { +        self.name = name; +        self +    } -    fn into_component(self) -> (Uid, Self::Component) +    #[must_use] +    pub fn build<Data: 'static>(self, id: Uid, data: Data) -> Parts +    { +        Parts { +            id, +            name: self.name, +            data: Box::new(data), +        } +    } + +    #[must_use] +    pub fn build_with_any_data(self, id: Uid, data: Box<dyn Any>) -> Parts +    { +        Parts { id, name: self.name, data } +    } +} + +impl Default for PartsBuilder +{ +    fn default() -> Self      { -        (Self::id(), self) +        Self { name: "(unspecified)" }      }  } diff --git a/ecs/src/component/local.rs b/ecs/src/component/local.rs index 0f6f641..b19a30b 100644 --- a/ecs/src/component/local.rs +++ b/ecs/src/component/local.rs @@ -1,7 +1,17 @@ +use std::any::type_name;  use std::ops::{Deref, DerefMut}; -use crate::component::{Component, HandleMut as ComponentHandleMut}; -use crate::system::{Param as SystemParam, System}; +use ecs_macros::Component; + +use crate::component::{ +    Component, +    HandleMut as ComponentHandleMut, +    IntoParts as _, +    Parts as ComponentParts, +}; +use crate::pair::Pair; +use crate::system::initializable::Param as InitializableParam; +use crate::system::{Metadata as SystemMetadata, Param as SystemParam};  use crate::World;  /// Holds a component which is local to a single system. @@ -17,27 +27,52 @@ where  {      type Input = LocalComponent; -    fn initialize<SystemImpl>( -        system: &mut impl System<'world, SystemImpl>, -        input: Self::Input, -    ) +    fn new(world: &'world World, system_metadata: &SystemMetadata) -> Self      { -        system.set_local_component(input); -    } +        let Some(system_ent) = world.get_entity(system_metadata.ent_id) else { +            panic!( +                "System entity with ID {} does not exist", +                system_metadata.ent_id +            ); +        }; -    fn new<SystemImpl>( -        system: &'world impl System<'world, SystemImpl>, -        _world: &'world World, -    ) -> Self -    { -        let local_component = system -            .get_local_component_mut::<LocalComponent>() -            .expect("Local component is uninitialized"); +        let Some(local_component) = system_ent.get_with_id_mut::<LocalComponent>( +            Pair::builder() +                .relation::<IsLocalComponent>() +                .target::<LocalComponent>() +                .build() +                .id(), +        ) else { +            panic!( +                "Local component {} of system with ID {} is uninitialized", +                type_name::<LocalComponent>(), +                system_metadata.ent_id +            ); +        };          Self { local_component }      }  } +impl<'world, LocalComponent, SystemT> InitializableParam<'world, SystemT> +    for Local<'world, LocalComponent> +where +    LocalComponent: Component, +    SystemT: SystemWithLocalComponents, +    Self: SystemParam<'world, Input = LocalComponent>, +{ +    fn initialize(system: &mut SystemT, input: Self::Input) +    { +        system.add_local_component( +            Pair::builder() +                .relation::<IsLocalComponent>() +                .target_as_data(input) +                .build() +                .into_parts(), +        ); +    } +} +  impl<LocalComponent> Deref for Local<'_, LocalComponent>  where      LocalComponent: Component, @@ -59,3 +94,11 @@ where          &mut self.local_component      }  } + +pub trait SystemWithLocalComponents +{ +    fn add_local_component(&mut self, component_parts: ComponentParts); +} + +#[derive(Component)] +struct IsLocalComponent; diff --git a/ecs/src/component/storage.rs b/ecs/src/component/storage.rs index 40909fb..a8711c5 100644 --- a/ecs/src/component/storage.rs +++ b/ecs/src/component/storage.rs @@ -1,4 +1,4 @@ -use std::any::type_name; +use std::any::Any;  use std::array::IntoIter as ArrayIter;  use std::cell::RefCell;  use std::vec::IntoIter as VecIntoIter; @@ -17,8 +17,6 @@ use crate::component::storage::graph::{      ArchetypeEdges,      Graph,  }; -use crate::component::Component; -use crate::type_name::TypeName;  use crate::uid::{Kind as UidKind, Uid};  use crate::util::{BorrowedOrOwned, Either, StreamingIterator, VecExt}; @@ -35,14 +33,43 @@ pub struct ArchetypeSearchTerms<'a>  impl ArchetypeSearchTerms<'_>  { -    fn excluded_contains(&self, uid: Uid) -> bool +    fn excluded_contains(&self, comp_id: Uid) -> bool      { -        self.excluded_components.binary_search(&uid).is_ok() +        let comp_id_kind = comp_id.kind(); + +        debug_assert!( +            comp_id_kind == UidKind::Component +                || (comp_id_kind == UidKind::Pair +                    && comp_id.target_component() != Uid::wildcard()) +        ); + +        let is_found = self.excluded_components.binary_search(&comp_id).is_ok(); + +        if !is_found && comp_id_kind == UidKind::Pair { +            return self.excluded_components.iter().any(|excluded_comp_id| { +                excluded_comp_id.kind() == UidKind::Pair +                    && excluded_comp_id.has_same_relation_as(comp_id) +                    && excluded_comp_id.target_component() == Uid::wildcard() +            }); +        } + +        is_found +    } + +    fn contains_conflicting(&self) -> bool +    { +        self.excluded_components.iter().any(|excluded_comp_id| { +            self.required_components +                .binary_search(excluded_comp_id) +                .is_ok() +        })      } -    fn required_contains(&self, uid: Uid) -> bool +    fn archetype_contains_all_required(&self, archetype: &Archetype) -> bool      { -        self.required_components.binary_search(&uid).is_ok() +        self.required_components +            .iter() +            .all(|comp_id| archetype.contains_matching_component(*comp_id))      }  } @@ -61,13 +88,9 @@ impl Storage          search_terms: ArchetypeSearchTerms<'search_terms>,      ) -> ArchetypeRefIter<'_, 'search_terms>      { -        let archetype_id = ArchetypeId::new(&search_terms.required_components); +        let archetype_id = ArchetypeId::new(search_terms.required_components); -        if search_terms -            .excluded_components -            .iter() -            .any(|excluded_comp_id| search_terms.required_contains(*excluded_comp_id)) -        { +        if search_terms.contains_conflicting() {              return ArchetypeRefIter {                  storage: self,                  pre_iter: Either::B(Vec::new().into_iter()), @@ -82,8 +105,21 @@ impl Storage              self.imaginary_archetypes                  .borrow_mut()                  .push(ImaginaryArchetype { -                    id: archetype_id, -                    component_ids: search_terms.required_components.to_vec(), +                    id: ArchetypeId::new(search_terms.required_components.iter().filter( +                        |required_comp_id| { +                            required_comp_id.kind() != UidKind::Pair +                                || required_comp_id.target_component() != Uid::wildcard() +                        }, +                    )), +                    component_ids: search_terms +                        .required_components +                        .iter() +                        .copied() +                        .filter(|required_comp_id| { +                            required_comp_id.kind() != UidKind::Pair +                                || required_comp_id.target_component() != Uid::wildcard() +                        }) +                        .collect(),                  });              let found_archetypes = self.find_all_archetype_with_comps(&search_terms); @@ -117,7 +153,7 @@ impl Storage              return Err(Error::EntityAlreadyExists(uid));          } -        let empty_archetype_id = ArchetypeId::from_components_metadata(&[]); +        let empty_archetype_id = ArchetypeId::new_empty();          let archetype_node = self.graph.get_or_create_node(empty_archetype_id, &[]); @@ -161,16 +197,9 @@ impl Storage      pub fn add_entity_component(          &mut self,          entity_uid: Uid, -        component: (Uid, Box<dyn Component>), +        (component_id, component_name, component): (Uid, &'static str, Box<dyn Any>),      ) -> Result<(), Error>      { -        let (component_id, component) = component; - -        debug_assert!( -            !component.self_is_optional(), -            "Adding a optional component to a entity is not supported" -        ); -          let Some(archetype_id) = self.entity_archetype_lookup.get(&entity_uid) else {              return Err(Error::EntityDoesNotExist(entity_uid));          }; @@ -184,7 +213,7 @@ impl Storage          if archetype_node              .archetype() -            .has_component_with_id(component_id) +            .contains_component_with_exact_id(component_id)          {              return Err(Error::ComponentAlreadyInEntity {                  entity: entity_uid, @@ -192,56 +221,36 @@ impl Storage              });          } -        let add_edge_archetype_id = match archetype_node +        let add_edge_archetype_id = if let Some(add_edge_id) = archetype_node              .get_or_insert_edges(component_id, ArchetypeEdges::default)              .add          { -            Some(add_edge_id) => { -                if !self.graph.contains_archetype(add_edge_id) { -                    let (_, add_edge_comp_ids) = self -                        .graph -                        .get_node_by_id(archetype_id) -                        .expect("Archetype should exist") -                        .make_add_edge(component_id); - -                    self.graph.create_node(add_edge_id, &add_edge_comp_ids); -                } - -                add_edge_id -            } -            None => { -                let archetype_node = self +            if !self.graph.contains_archetype(add_edge_id) { +                let (_, add_edge_comp_ids) = self                      .graph -                    .get_node_by_id_mut(archetype_id) -                    .expect("Archetype should exist"); - -                let (add_edge_id, add_edge_comp_ids) = -                    archetype_node.make_add_edge(component_id); - -                archetype_node -                    .get_edges_mut(component_id) -                    .expect("Edges for component in archetype should exist") -                    .add = Some(add_edge_id); +                    .get_node_by_id(archetype_id) +                    .expect("Archetype should exist") +                    .make_add_edge(component_id); -                if !self.graph.contains_archetype(add_edge_id) { -                    self.graph.create_node(add_edge_id, &add_edge_comp_ids); -                } - -                add_edge_id +                self.graph.create_node(add_edge_id, &add_edge_comp_ids);              } -        }; -        { -            let add_edge_archetype_node = self +            add_edge_id +        } else { +            let archetype_node = self                  .graph -                .get_node_by_id_mut(add_edge_archetype_id) -                .expect("Add edge archetype should exist"); +                .get_node_by_id(archetype_id) +                .expect("Archetype should exist"); -            let add_edge_archetype_edges = add_edge_archetype_node -                .get_or_insert_edges(component_id, ArchetypeEdges::default); +            let (add_edge_id, add_edge_comp_ids) = +                archetype_node.make_add_edge(component_id); -            add_edge_archetype_edges.remove = Some(archetype_id); -        } +            if !self.graph.contains_archetype(add_edge_id) { +                self.graph.create_node(add_edge_id, &add_edge_comp_ids); +            } + +            add_edge_id +        };          let archetype_node = self              .graph @@ -261,7 +270,7 @@ impl Storage          entity.insert_component(              component_id, -            ArchetypeEntityComponent::new(component), +            ArchetypeEntityComponent::new(component, component_name),              add_edge_archetype,          ); @@ -292,7 +301,7 @@ impl Storage          if !archetype_node              .archetype() -            .has_component_with_id(component_id) +            .contains_component_with_exact_id(component_id)          {              return Err(Error::ComponentNotFoundInEntity {                  entity: entity_uid, @@ -312,11 +321,6 @@ impl Storage                  let (remove_edge_id, remove_edge_comp_ids) =                      archetype_node.make_remove_edge(component_id); -                archetype_node -                    .get_edges_mut(component_id) -                    .expect("Edges for component in archetype should exist") -                    .remove = Some(remove_edge_id); -                  if !self.graph.contains_archetype(remove_edge_id) {                      self.graph                          .create_node(remove_edge_id, &remove_edge_comp_ids); @@ -367,9 +371,12 @@ impl Storage      ) -> Vec<ArchetypeId>      {          let Some(mut search_iter) = -            self.graph.dfs_archetype_add_edges(ArchetypeId::new(&[])) +            self.graph.dfs_archetype_add_edges(ArchetypeId::new_empty())          else {              // If the root archetype doesn't exist, no other archetype can exist either +            // +            // TODO: The above comment is not true. Cases where imaginary archetypes have +            // been created should be handled as well              return Vec::new();          }; @@ -398,11 +405,7 @@ impl Storage                  continue;              } -            if !search_terms -                .required_components -                .iter() -                .all(|comp_id| node.archetype().has_component_with_id(*comp_id)) -            { +            if !search_terms.archetype_contains_all_required(node.archetype()) {                  continue;              } @@ -415,14 +418,6 @@ impl Storage      }  } -impl TypeName for Storage -{ -    fn type_name(&self) -> &'static str -    { -        type_name::<Self>() -    } -} -  #[cfg(feature = "vizoxide")]  impl Storage  { @@ -602,8 +597,7 @@ pub struct ArchetypeRefIter<'storage, 'search_terms>      search_terms: ArchetypeSearchTerms<'search_terms>,  } -impl<'component_storage, 'search_terms> Iterator -    for ArchetypeRefIter<'component_storage, 'search_terms> +impl<'component_storage> Iterator for ArchetypeRefIter<'component_storage, '_>  {      type Item = &'component_storage Archetype; @@ -648,18 +642,15 @@ impl<'component_storage, 'search_terms> Iterator                      let mut add_edge_archetype_comps =                          archetype.component_ids_sorted().collect::<Vec<_>>(); -                    add_edge_archetype_comps.insert_at_partition_point_by_key( -                        add_edge_component_id, -                        |comp_id| *comp_id, -                    ); +                    add_edge_archetype_comps +                        .insert_at_part_pt_by_key(add_edge_component_id, |comp_id| { +                            comp_id +                        });                      self.storage.imaginary_archetypes.borrow_mut().push(                          ImaginaryArchetype {                              id: add_edge_archetype_id, -                            component_ids: add_edge_archetype_comps -                                .iter() -                                .map(|comp_id| *comp_id) -                                .collect::<Vec<_>>(), +                            component_ids: add_edge_archetype_comps.clone(),                          },                      ); @@ -673,8 +664,6 @@ impl<'component_storage, 'search_terms> Iterator                          )),                          found.into_iter(),                      )); - -                    continue;                  }                  _ => {                      unreachable!(); @@ -723,8 +712,7 @@ impl ArchetypeRefIter<'_, '_>                  let mut add_edge_comp_ids = imaginary_archetype_comps.to_vec(); -                add_edge_comp_ids -                    .insert_at_partition_point_by_key(unique_comp_id, |id| *id); +                add_edge_comp_ids.insert_at_part_pt_by_key(unique_comp_id, |id| id);                  let add_edge = ArchetypeId::new(&add_edge_comp_ids); @@ -784,7 +772,7 @@ mod tests          let archetype_node = new_storage              .graph -            .get_node_by_id(ArchetypeId::from_components_metadata(&[])) +            .get_node_by_id(ArchetypeId::new_empty())              .expect("Archetype for entities with no component doesn't exist");          assert_eq!(archetype_node.archetype().component_cnt(), 0); @@ -792,7 +780,7 @@ mod tests          assert_eq!(              new_storage.entity_archetype_lookup.get(&uid).copied(), -            Some(ArchetypeId::from_components_metadata(&[])) +            Some(ArchetypeId::new_empty())          );      }  } diff --git a/ecs/src/component/storage/archetype.rs b/ecs/src/component/storage/archetype.rs index 5306cf9..d96632e 100644 --- a/ecs/src/component/storage/archetype.rs +++ b/ecs/src/component/storage/archetype.rs @@ -1,12 +1,15 @@ +use std::any::Any; +use std::array::IntoIter as ArrayIntoIter;  use std::hash::{DefaultHasher, Hash, Hasher}; +use std::iter::{Enumerate, Filter, Map, RepeatN, Zip}; +use std::option::IntoIter as OptionIntoIter;  use std::slice::Iter as SliceIter;  use hashbrown::HashMap; -use crate::component::{Component, Metadata as ComponentMetadata};  use crate::lock::Lock;  use crate::uid::{Kind as UidKind, Uid}; -use crate::util::HashMapExt; +use crate::util::{Either, HashMapExt};  #[derive(Debug)]  pub struct Archetype @@ -116,8 +119,54 @@ impl Archetype          self.component_index_lookup.len()      } +    pub fn get_matching_component_indices( +        &self, +        component_id: Uid, +    ) -> MatchingComponentIter<'_> +    { +        assert!( +            component_id.kind() == UidKind::Component +                || component_id.kind() == UidKind::Pair +        ); + +        if component_id.kind() == UidKind::Pair +            && component_id.target_component() == Uid::wildcard() +        { +            return MatchingComponentIter { +                inner: Either::A( +                    self.component_ids +                        .iter() +                        .enumerate() +                        .zip(std::iter::repeat_n(component_id, self.component_ids.len())) +                        .filter( +                            (|((_, other_comp_id), component_id)| { +                                other_comp_id.kind() == UidKind::Pair +                                    && other_comp_id.has_same_relation_as(*component_id) +                            }) +                                as MatchingComponentIterFilterFn, +                        ) +                        .map(|((index, other_comp_id), _)| (*other_comp_id, index)), +                ), +            }; +        } + +        MatchingComponentIter { +            inner: Either::B( +                [component_id] +                    .into_iter() +                    .zip(self.get_index_for_component(component_id)), +            ), +        } +    } +      pub fn get_index_for_component(&self, component_id: Uid) -> Option<usize>      { +        assert!( +            component_id.kind() == UidKind::Component +                || (component_id.kind() == UidKind::Pair +                    && component_id.target_component() != Uid::wildcard()) +        ); +          self.component_index_lookup.get(&component_id).copied()      } @@ -131,14 +180,70 @@ impl Archetype          self.component_ids.iter().copied()      } -    pub fn has_component_with_id(&self, component_id: Uid) -> bool +    pub fn contains_matching_component(&self, component_id: Uid) -> bool      { -        debug_assert_eq!(component_id.kind(), UidKind::Component); +        let component_id_kind = component_id.kind(); + +        debug_assert!( +            component_id_kind == UidKind::Component || component_id_kind == UidKind::Pair +        ); + +        if component_id.kind() == UidKind::Pair +            && component_id.target_component() == Uid::wildcard() +        { +            return self.component_ids.iter().any(|other_comp_id| { +                other_comp_id.kind() == UidKind::Pair +                    && other_comp_id.has_same_relation_as(component_id) +            }); +        } + +        self.contains_component_with_exact_id(component_id) +    } + +    pub fn contains_component_with_exact_id(&self, component_id: Uid) -> bool +    { +        let component_id_kind = component_id.kind(); + +        debug_assert!( +            component_id_kind == UidKind::Component +                || (component_id_kind == UidKind::Pair +                    && component_id.target_component() != Uid::wildcard()) +        );          self.component_index_lookup.contains_key(&component_id)      }  } +type MatchingComponentIterFilterFn = fn(&((usize, &Uid), Uid)) -> bool; + +type MatchingComponentIterMapFn = fn(((usize, &Uid), Uid)) -> (Uid, usize); + +type InnerMatchingComponentIterA<'archetype> = Map< +    Filter< +        Zip<Enumerate<SliceIter<'archetype, Uid>>, RepeatN<Uid>>, +        MatchingComponentIterFilterFn, +    >, +    MatchingComponentIterMapFn, +>; + +type InnerMatchingComponentIterB = Zip<ArrayIntoIter<Uid, 1>, OptionIntoIter<usize>>; + +#[derive(Debug)] +pub struct MatchingComponentIter<'archetype> +{ +    inner: Either<InnerMatchingComponentIterA<'archetype>, InnerMatchingComponentIterB>, +} + +impl Iterator for MatchingComponentIter<'_> +{ +    type Item = (Uid, usize); + +    fn next(&mut self) -> Option<Self::Item> +    { +        self.inner.next() +    } +} +  #[derive(Debug)]  pub struct EntityIter<'archetype>  { @@ -209,26 +314,19 @@ impl Entity  #[derive(Debug)]  pub struct EntityComponent  { -    name: &'static str, -    component: Lock<Box<dyn Component>>, +    component: Lock<Box<dyn Any>>,  }  impl EntityComponent  { -    pub fn new(component: Box<dyn Component>) -> Self +    pub fn new(component: Box<dyn Any>, component_name: &'static str) -> Self      {          Self { -            name: component.type_name(), -            component: Lock::new(component), +            component: Lock::new(component, component_name),          }      } -    pub fn name(&self) -> &str -    { -        self.name -    } - -    pub fn component(&self) -> &Lock<Box<dyn Component>> +    pub fn component(&self) -> &Lock<Box<dyn Any>>      {          &self.component      } @@ -243,56 +341,32 @@ pub struct Id  impl Id  { -    pub fn new(component_ids: &impl AsRef<[Uid]>) -> Self +    pub fn new_empty() -> Self      { -        if component_ids.as_ref().is_empty() { -            return Self { hash: 0 }; -        } - -        debug_assert!( -            component_ids.as_ref().is_sorted(), -            "Cannot create archetype ID from unsorted component IDs" -        ); - -        let mut hasher = DefaultHasher::new(); - -        for component_id in component_ids.as_ref() { -            component_id.hash(&mut hasher); -        } - -        Self { hash: hasher.finish() } +        Self { hash: 0 }      } -    pub fn from_components_metadata<'a>( -        components_metadata: impl IntoIterator<Item = &'a ComponentMetadata>, -    ) -> Self +    pub fn new<'a>(component_ids: impl IntoIterator<Item = &'a Uid>) -> Self      {          let mut hasher = DefaultHasher::new();          let mut prev_component_id: Option<Uid> = None; -        let mut comp_metadata_iter = components_metadata.into_iter().peekable(); +        let mut component_id_iter = component_ids.into_iter().peekable(); -        if comp_metadata_iter.peek().is_none() { -            return Self { hash: 0 }; +        if component_id_iter.peek().is_none() { +            return Self::new_empty();          } -        for comp_metadata in comp_metadata_iter { -            if prev_component_id -                .is_some_and(|prev_comp_id| comp_metadata.id < prev_comp_id) -            { -                panic!( -                    "Cannot create archetype ID from a unsorted component metadata list" -                ); -            } - -            prev_component_id = Some(comp_metadata.id); +        for comp_id in component_id_iter { +            assert!( +                prev_component_id.is_none_or(|prev_comp_id| *comp_id >= prev_comp_id), +                "Cannot create archetype ID from a unsorted component metadata list" +            ); -            if comp_metadata.is_optional { -                continue; -            } +            prev_component_id = Some(*comp_id); -            comp_metadata.id.hash(&mut hasher); +            comp_id.hash(&mut hasher);          }          Self { hash: hasher.finish() } diff --git a/ecs/src/component/storage/graph.rs b/ecs/src/component/storage/graph.rs index 11160e7..76200f9 100644 --- a/ecs/src/component/storage/graph.rs +++ b/ecs/src/component/storage/graph.rs @@ -80,7 +80,7 @@ impl Graph      pub fn dfs_archetype_add_edges(          &self,          archetype_id: ArchetypeId, -    ) -> Option<ArchetypeAddEdgeDfsIter> +    ) -> Option<ArchetypeAddEdgeDfsIter<'_>>      {          let node = self.get_node_by_id(archetype_id)?; @@ -140,19 +140,31 @@ impl Graph      }      fn create_missing_subset_node_edges( -        target_node: &ArchetypeNode, +        target_node: &mut ArchetypeNode,          subset_node: &mut ArchetypeNode,      )      {          let uniq_comp_id = target_node              .archetype()              .component_ids_sorted() -            .find(|id| !subset_node.archetype().has_component_with_id(*id)) +            .find(|id| { +                !subset_node +                    .archetype() +                    .contains_component_with_exact_id(*id) +            })              .unwrap();          subset_node              .get_or_insert_edges(uniq_comp_id, ArchetypeEdges::default)              .add = Some(subset_node.make_add_edge(uniq_comp_id).0); + +        if target_node.archetype().component_cnt() +            == subset_node.archetype().component_cnt() + 1 +        { +            target_node +                .get_or_insert_edges(uniq_comp_id, ArchetypeEdges::default) +                .remove = Some(subset_node.archetype().id()); +        }      }      fn create_missing_superset_node_edges( @@ -169,7 +181,7 @@ impl Graph                  .find(|other_archetype_comp_id| {                      !target_node                          .archetype() -                        .has_component_with_id(*other_archetype_comp_id) +                        .contains_component_with_exact_id(*other_archetype_comp_id)                  })                  .or_else(|| {                      if target_node.archetype().component_cnt() != 0 { @@ -196,7 +208,11 @@ impl Graph          let extra_comp_id = superset_node              .archetype()              .component_ids_unsorted() -            .find(|comp_id| !target_node.archetype().has_component_with_id(*comp_id)) +            .find(|comp_id| { +                !target_node +                    .archetype() +                    .contains_component_with_exact_id(*comp_id) +            })              .expect("Archetype should contain one extra component ID");          superset_node @@ -234,7 +250,10 @@ impl ArchetypeNode          insert_fn: impl FnOnce() -> ArchetypeEdges,      ) -> &mut ArchetypeEdges      { -        debug_assert_eq!(component_id.kind(), UidKind::Component); +        debug_assert!(matches!( +            component_id.kind(), +            UidKind::Component | UidKind::Pair +        ));          self.edges.entry(component_id).or_insert_with(insert_fn)      } @@ -245,13 +264,6 @@ impl ArchetypeNode          self.edges.iter()      } -    pub fn get_edges_mut(&mut self, component_id: Uid) -> Option<&mut ArchetypeEdges> -    { -        debug_assert_eq!(component_id.kind(), UidKind::Component); - -        self.edges.get_mut(&component_id) -    } -      pub fn make_add_edge(&self, component_id: Uid) -> (ArchetypeId, Vec<Uid>)      {          let mut edge_comp_ids = self diff --git a/ecs/src/entity.rs b/ecs/src/entity.rs index a43f9ce..ad9f179 100644 --- a/ecs/src/entity.rs +++ b/ecs/src/entity.rs @@ -1,14 +1,35 @@ -use linkme::distributed_slice; +use std::any::type_name; +use std::ops::Deref; +use std::sync::LazyLock; -use crate::component::storage::archetype::{Archetype, Entity as ArchetypeEntity}; -use crate::uid::Uid; +use crate::component::storage::archetype::{ +    Archetype, +    Entity as ArchetypeEntity, +    MatchingComponentIter as ArchetypeMatchingComponentIter, +}; +use crate::component::{ +    Component, +    Handle as ComponentHandle, +    HandleMut as ComponentHandleMut, +}; +use crate::pair::{ +    ComponentOrWildcard, +    MultipleWithWildcard as PairMultipleWithWildcard, +    Pair, +    WithWildcard as PairWithWildcard, +}; +use crate::uid::{Kind as UidKind, Uid};  use crate::{EntityComponentRef, World}; +pub mod obtainer; +  /// A handle to a entity. +#[derive(Debug, Clone)]  pub struct Handle<'a>  {      archetype: &'a Archetype,      entity: &'a ArchetypeEntity, +    world: &'a World,  }  impl<'a> Handle<'a> @@ -21,48 +42,254 @@ impl<'a> Handle<'a>          self.entity.uid()      } +    /// Returns a reference to the specified component in this entity. `None` is +    /// returned if the component isn't found in the entity. +    /// +    /// # Panics +    /// Will panic if: +    /// - The component's ID is not a component ID +    /// - The component is mutably borrowed elsewhere +    #[must_use] +    pub fn get<ComponentT: Component>(&self) -> Option<ComponentHandle<'a, ComponentT>> +    { +        assert_eq!(ComponentT::id().kind(), UidKind::Component); + +        let component = self.get_matching_components(ComponentT::id()).next()?; + +        Some( +            ComponentHandle::from_entity_component_ref(&component).unwrap_or_else( +                |err| { +                    panic!( +                        "Creating handle to component {} failed: {err}", +                        type_name::<ComponentT>() +                    ); +                }, +            ), +        ) +    } + +    /// Returns a mutable reference to the specified component in this entity. `None` is +    /// returned if the component isn't found in the entity. +    /// +    /// # Panics +    /// Will panic if: +    /// - The component's ID is not a component ID +    /// - The component is borrowed elsewhere +    #[must_use] +    pub fn get_mut<ComponentT: Component>( +        &self, +    ) -> Option<ComponentHandleMut<'a, ComponentT>> +    { +        assert_eq!(ComponentT::id().kind(), UidKind::Component); + +        let component = self.get_matching_components(ComponentT::id()).next()?; + +        Some( +            ComponentHandleMut::from_entity_component_ref(&component, self.world) +                .unwrap_or_else(|err| { +                    panic!( +                        "Creating handle to component {} failed: {err}", +                        type_name::<ComponentT>() +                    ); +                }), +        ) +    } + +    /// Returns a reference to the component with the ID `id` in this entity. +    /// `None` is returned if the component isn't found. +    /// +    /// # Panics +    /// Will panic if: +    /// - The ID is not a component/pair ID +    /// - The component is borrowed mutably elsewhere +    /// - The component type is incorrect +    #[must_use] +    pub fn get_with_id<ComponentDataT: 'static>( +        &self, +        id: Uid, +    ) -> Option<ComponentHandle<'a, ComponentDataT>> +    { +        assert!( +            matches!(id.kind(), UidKind::Component | UidKind::Pair), +            "ID {id:?} is not a component/pair ID" +        ); + +        let component = self.get_matching_components(id).next()?; + +        Some( +            ComponentHandle::from_entity_component_ref(&component).unwrap_or_else( +                |err| { +                    panic!( +                        "Creating handle to component {} failed: {err}", +                        type_name::<ComponentDataT>() +                    ); +                }, +            ), +        ) +    } + +    /// Returns a mutable reference to the component with the ID `id` in this entity. +    /// `None` is returned if the component isn't found. +    /// +    /// # Panics +    /// Will panic if: +    /// - The ID is not a component/pair ID +    /// - The component is borrowed elsewhere +    /// - The component type is incorrect +    #[must_use] +    pub fn get_with_id_mut<ComponentDataT: 'static>( +        &self, +        id: Uid, +    ) -> Option<ComponentHandleMut<'a, ComponentDataT>> +    { +        assert!( +            matches!(id.kind(), UidKind::Component | UidKind::Pair), +            "ID {id:?} is not a component/pair ID" +        ); + +        let component = self.get_matching_components(id).next()?; + +        Some( +            ComponentHandleMut::from_entity_component_ref(&component, self.world) +                .unwrap_or_else(|err| { +                    panic!( +                        "Creating handle to component {} failed: {err}", +                        type_name::<ComponentDataT>() +                    ); +                }), +        ) +    } + +    #[must_use] +    pub fn get_first_wildcard_pair_match<Relation, Target>( +        &self, +    ) -> Option<PairWithWildcard<'a, Relation, Target>> +    where +        Relation: ComponentOrWildcard, +        Target: ComponentOrWildcard, +    { +        let mut matching_comps = self.get_matching_components( +            Pair::builder() +                .relation_id(Relation::uid()) +                .target_id(Target::uid()) +                .build() +                .id(), +        ); + +        Some(PairWithWildcard::new(self.world, matching_comps.next()?)) +    } + +    #[must_use] +    pub fn get_wildcard_pair_matches<Relation, Target>( +        &self, +    ) -> PairMultipleWithWildcard<'a, Relation, Target> +    where +        Relation: ComponentOrWildcard, +        Target: ComponentOrWildcard, +    { +        PairMultipleWithWildcard::new(self.world, self.clone()) +    } +      #[inline]      #[must_use] -    pub fn get_component(&self, component_uid: Uid) -> Option<EntityComponentRef<'a>> +    pub fn get_matching_components(&self, component_uid: Uid) +        -> MatchingComponentIter<'a>      { -        let index = self.archetype.get_index_for_component(component_uid)?; +        MatchingComponentIter { +            inner: self.archetype.get_matching_component_indices(component_uid), +            entity: self.entity, +        } +    } + +    /// Returns whether or not this entity contains a component with the specified `Uid`. +    #[must_use] +    pub fn has_component(&self, component_uid: Uid) -> bool +    { +        self.archetype +            .contains_component_with_exact_id(component_uid) +    } + +    /// Returns the `Uids`s of the components this entity has. +    pub fn component_ids(&self) -> impl Iterator<Item = Uid> + '_ +    { +        self.archetype.component_ids_sorted() +    } + +    pub(crate) fn new( +        archetype: &'a Archetype, +        entity: &'a ArchetypeEntity, +        world: &'a World, +    ) -> Self +    { +        Self { archetype, entity, world } +    } +} + +#[derive(Debug)] +pub struct MatchingComponentIter<'a> +{ +    inner: ArchetypeMatchingComponentIter<'a>, +    entity: &'a ArchetypeEntity, +} + +impl<'a> Iterator for MatchingComponentIter<'a> +{ +    type Item = EntityComponentRef<'a>; + +    fn next(&mut self) -> Option<Self::Item> +    { +        let (matching_component_id, index) = self.inner.next()?;          Some(EntityComponentRef::new( +            matching_component_id,              self.entity.components().get(index).unwrap(), +            self.entity.uid(),          ))      } +} + +/// The data type of a declaration of a entity. +#[derive(Debug)] +pub struct Declaration +{ +    uid: LazyLock<Uid>, +    create_func: fn(&mut World), +} + +impl Declaration +{ +    pub(crate) fn create(&self, world: &mut World) +    { +        (self.create_func)(world); +    } + +    #[doc(hidden)] +    pub const fn new(create_func: fn(&mut World)) -> Self +    { +        Self { +            uid: LazyLock::new(|| Uid::new_unique(UidKind::Entity)), +            create_func, +        } +    } +} -    pub(crate) fn new(archetype: &'a Archetype, entity: &'a ArchetypeEntity) -> Self +impl Deref for Declaration +{ +    type Target = Uid; + +    fn deref(&self) -> &Self::Target      { -        Self { archetype, entity } +        &self.uid      }  }  #[allow(clippy::module_name_repetitions)]  #[macro_export] -macro_rules! static_entity { +macro_rules! declare_entity {      ($visibility: vis $ident: ident, $components: expr) => { -        $visibility static $ident: ::std::sync::LazyLock<$crate::uid::Uid> = -            ::std::sync::LazyLock::new(|| { -                $crate::uid::Uid::new_unique($crate::uid::Kind::Entity) +        $visibility static $ident: $crate::entity::Declaration = +            $crate::entity::Declaration::new(|world| { +                world.create_entity_with_uid(*$ident, $components);              }); - -        $crate::private::paste::paste! { -            mod [<__ecs_ $ident:lower _static_entity_priv>] { -                use super::*; - -                #[$crate::private::linkme::distributed_slice( -                    $crate::entity::CREATE_STATIC_ENTITIES -                )] -                #[linkme(crate=$crate::private::linkme)] -                static CREATE_STATIC_ENTITY: fn(&$crate::World) = |world| { -                    world.create_entity_with_uid($components, *$ident); -                }; -            } -        }      }  } - -#[distributed_slice] -#[doc(hidden)] -pub static CREATE_STATIC_ENTITIES: [fn(&World)]; diff --git a/ecs/src/entity/obtainer.rs b/ecs/src/entity/obtainer.rs new file mode 100644 index 0000000..6c2ea96 --- /dev/null +++ b/ecs/src/entity/obtainer.rs @@ -0,0 +1,29 @@ +use crate::entity::Handle as EntityHandle; +use crate::system::{Metadata as SystemMetadata, Param as SystemParam}; +use crate::uid::Uid; +use crate::World; + +#[derive(Debug)] +pub struct Obtainer<'world> +{ +    world: &'world World, +} + +impl<'world> SystemParam<'world> for Obtainer<'world> +{ +    type Input = (); + +    fn new(world: &'world World, _system_metadata: &SystemMetadata) -> Self +    { +        Self { world } +    } +} + +impl Obtainer<'_> +{ +    #[must_use] +    pub fn get_entity(&self, entity_id: Uid) -> Option<EntityHandle<'_>> +    { +        self.world.get_entity(entity_id) +    } +} diff --git a/ecs/src/event.rs b/ecs/src/event.rs index 9cea807..15455b6 100644 --- a/ecs/src/event.rs +++ b/ecs/src/event.rs @@ -1 +1,105 @@ +use crate::lock::Lock; +use crate::pair::Pair; +use crate::uid::{Kind as UidKind, Uid}; +use crate::util::VecExt; +  pub mod component; + +#[derive(Debug, Clone)] +#[non_exhaustive] +pub struct Emitted<'a> +{ +    pub event: Uid, +    pub match_ids: &'a [Uid], +} + +#[derive(Debug)] +pub struct Submitter<'world> +{ +    new_events: &'world Lock<NewEvents>, +} + +impl<'world> Submitter<'world> +{ +    /// Submits a event to be handled later. +    /// +    /// # Panics +    /// Will panic if unable to acquire a read-write lock to the event store. +    pub fn submit_event(&self, event: &Pair<Uid, Uid>, match_id: Uid) +    { +        let mut new_events_lock = self +            .new_events +            .write_nonblock() +            .expect("Failed to acquire read-write lock to new events"); + +        new_events_lock.push_event_match(event, match_id); +    } + +    pub(crate) fn new(new_events: &'world Lock<NewEvents>) -> Self +    { +        Self { new_events } +    } +} + +#[derive(Debug, Default)] +pub(crate) struct NewEvents +{ +    events: Vec<(Uid, Matches)>, +} + +impl NewEvents +{ +    pub fn push_event_match(&mut self, event: &Pair<Uid, Uid>, match_id: Uid) +    { +        let event_id = event.id(); + +        assert_eq!(event_id.kind(), UidKind::Pair); + +        if let Ok(event_index) = self +            .events +            .binary_search_by_key(&event_id, |(other_event_id, _)| *other_event_id) +        { +            let Some((_, matches)) = self.events.get_mut(event_index) else { +                unreachable!(); +            }; + +            matches.sorted_push(match_id); + +            return; +        } + +        self.events.insert_at_part_pt_by_key( +            (event_id, Matches { match_ids: Vec::from([match_id]) }), +            |(other_event_id, _)| other_event_id, +        ); +    } + +    pub fn take(&mut self) -> Vec<(Uid, Matches)> +    { +        std::mem::take(&mut self.events) +    } + +    pub fn is_empty(&self) -> bool +    { +        self.events.is_empty() +    } +} + +#[derive(Debug)] +pub(crate) struct Matches +{ +    pub match_ids: Vec<Uid>, +} + +impl Matches +{ +    fn sorted_push(&mut self, match_id: Uid) +    { +        if self.match_ids.binary_search(&match_id).is_ok() { +            return; +        } + +        self.match_ids +            .insert_at_part_pt_by_key(match_id, |other_match_id| other_match_id); +    } +} diff --git a/ecs/src/event/component.rs b/ecs/src/event/component.rs index b4edffc..ed6b7cf 100644 --- a/ecs/src/event/component.rs +++ b/ecs/src/event/component.rs @@ -1,84 +1,71 @@  //! Component events. -use std::fmt::{Debug, Formatter}; -use std::marker::PhantomData; +use std::convert::Infallible; -use ecs_macros::Component; +use crate::component::{Handle as ComponentHandle, HandleMut as ComponentHandleMut}; +use crate::entity::Handle as EntityHandle; +use crate::pair::Pair; +use crate::system::observer::EventMatch; +use crate::util::impl_multiple; +use crate::Component; -use crate::component::Component; +/// Pair relation for events emitted when: +/// a) A entity with the target component is spawned. +/// b) The target component is added to a entity. +#[derive(Debug, Component)] +pub struct Added(Infallible); -/// Event emitted when: -/// a) A entity with component `ComponentT` is spawned. -/// b) A component `ComponentT` is added to a entity. -#[derive(Clone, Component)] -pub struct Added<ComponentT> -where -    ComponentT: Component, -{ -    _pd: PhantomData<ComponentT>, -} +/// Pair relation for events emitted **before**: +/// a) The target component is removed from a entity. +/// b) A entity with the target component is despawned. +#[derive(Debug, Component)] +pub struct Removed(Infallible); -impl<ComponentT> Debug for Added<ComponentT> -where -    ComponentT: Component, -{ -    fn fmt(&self, formatter: &mut Formatter<'_>) -> std::fmt::Result -    { -        formatter -            .debug_struct("Added") -            .field("_pd", &self._pd) -            .finish() -    } -} +#[derive(Debug, Component)] +pub struct Changed(Infallible); -impl<ComponentT> Default for Added<ComponentT> -where -    ComponentT: Component, -{ -    fn default() -> Self -    { -        Self { _pd: PhantomData } -    } -} +impl_multiple!( +    EventMatch, +    ( +        impl<Target: Component> _<'_><Pair<Removed, Target>> (removed), +        impl<Target: Component> _<'_><Pair<Added, Target>> (added), +        impl<Target: Component> _<'_><Pair<Changed, Target>> (changed) +    ) +    cb=(type_params=(observable_type), event_name) => { +        paste::paste! { +            #[must_use] +            pub fn [<get_ $event_name _comp>](&self) -> ComponentHandle<'_, Target> +            { +                let ent = self.get_ent_infallible(); -/// Event emitted when: -/// a) A `ComponentT` component is removed from a entity. -/// b) A entity with component `ComponentT` is despawned. -#[derive(Clone, Component)] -pub struct Removed<ComponentT> -where -    ComponentT: Component, -{ -    _pd: PhantomData<ComponentT>, -} +                let Some(comp) = ent.get::<Target>() else { +                    unreachable!(); +                }; -impl<ComponentT> Debug for Removed<ComponentT> -where -    ComponentT: Component, -{ -    fn fmt(&self, formatter: &mut Formatter<'_>) -> std::fmt::Result -    { -        formatter -            .debug_struct("Removed") -            .field("_pd", &self._pd) -            .finish() -    } -} +                comp +            } -impl<ComponentT> Default for Removed<ComponentT> -where -    ComponentT: Component, -{ -    fn default() -> Self -    { -        Self { _pd: PhantomData } -    } -} +            #[must_use] +            pub fn [<get_ $event_name _comp_mut>](&self) -> ComponentHandleMut<'_, Target> +            { +                let ent = self.get_ent_infallible(); -/// Specifies a kind of component event UID. -#[derive(Debug, Clone, Copy)] -#[non_exhaustive] -pub enum Kind -{ -    Removed, -} +                let Some(comp) = ent.get_mut::<Target>() else { +                    unreachable!(); +                }; + +                comp +            } +        } + +        #[must_use] +        pub fn get_ent_infallible(&self) -> EntityHandle<'_> +        { +            let Some(ent) = self.get_entity() else { +                unreachable!(); +            }; + +            ent +        } +    } +); diff --git a/ecs/src/extension.rs b/ecs/src/extension.rs index 42ebef9..9c6614b 100644 --- a/ecs/src/extension.rs +++ b/ecs/src/extension.rs @@ -1,5 +1,7 @@  use crate::component::Sequence as ComponentSequence; +use crate::entity::Declaration as EntityDeclaration;  use crate::sole::Sole; +use crate::system::observer::Observer;  use crate::system::System;  use crate::uid::Uid;  use crate::{SoleAlreadyExistsError, World}; @@ -34,6 +36,15 @@ impl<'world> Collector<'world>          self.world.register_system(phase_euid, system);      } +    /// Adds a observer system to the [`World`]. +    pub fn add_observer<'this, SystemImpl>( +        &'this mut self, +        observer: impl Observer<'this, SystemImpl>, +    ) +    { +        self.world.register_observer(observer); +    } +      /// Adds a entity to the [`World`].      pub fn add_entity<Comps>(&mut self, components: Comps)      where @@ -42,6 +53,12 @@ impl<'world> Collector<'world>          self.world.create_entity(components);      } +    /// Adds a declared entity to the [`World`]. +    pub fn add_declared_entity(&mut self, entity_decl: &EntityDeclaration) +    { +        self.world.create_declared_entity(entity_decl); +    } +      /// Adds a globally shared singleton value to the [`World`].      ///      /// # Errors diff --git a/ecs/src/lib.rs b/ecs/src/lib.rs index 32d82bc..f6fba64 100644 --- a/ecs/src/lib.rs +++ b/ecs/src/lib.rs @@ -1,9 +1,9 @@  #![deny(clippy::all, clippy::pedantic)] -use std::any::{type_name, TypeId}; -use std::cell::RefCell; +use std::any::{type_name, Any, TypeId};  use std::fmt::Debug;  use std::mem::ManuallyDrop; +use std::rc::Rc;  use std::sync::atomic::{AtomicBool, Ordering};  use std::sync::Arc; @@ -12,26 +12,37 @@ use hashbrown::HashMap;  use crate::actions::Action;  use crate::component::storage::archetype::EntityComponent as ArchetypeEntityComponent;  use crate::component::storage::Storage as ComponentStorage; -use crate::component::{Component, Sequence as ComponentSequence}; -use crate::entity::CREATE_STATIC_ENTITIES; -use crate::event::component::Kind as ComponentEventKind; +use crate::component::{ +    Component, +    IntoParts as IntoComponentParts, +    Parts as ComponentParts, +    Sequence as ComponentSequence, +}; +use crate::entity::{Declaration as EntityDeclaration, Handle as EntityHandle}; +use crate::event::component::Added; +use crate::event::{Emitted as EmittedEvent, NewEvents, Submitter as EventSubmitter};  use crate::extension::{Collector as ExtensionCollector, Extension}; -use crate::lock::{Lock, WriteGuard}; -use crate::phase::{Phase, START as START_PHASE}; +use crate::lock::Lock; +use crate::pair::{ChildOf, DependsOn, Pair}; +use crate::phase::{ +    Phase, +    POST_UPDATE as POST_UPDATE_PHASE, +    PRE_UPDATE as PRE_UPDATE_PHASE, +    START as START_PHASE, +    UPDATE as UPDATE_PHASE, +};  use crate::query::flexible::Query as FlexibleQuery; -use crate::query::term::Without;  use crate::query::{ -    Iter as QueryIter,      TermWithFieldTuple as QueryTermWithFieldTuple,      TermWithoutFieldTuple as QueryTermWithoutFieldTuple,      Terms as QueryTerms,      TermsBuilderInterface, +    MAX_TERM_CNT as QUERY_MAX_TERM_CNT,  }; -use crate::relationship::{ChildOf, DependsOn, Relationship}; -use crate::sole::Sole; +use crate::sole::{Single, Sole};  use crate::stats::Stats; -use crate::system::{System, SystemComponent}; -use crate::type_name::TypeName; +use crate::system::observer::{Observer, WrapperComponent as ObserverWrapperComponent}; +use crate::system::{Callbacks, Metadata as SystemMetadata, System, SystemComponent};  use crate::uid::{Kind as UidKind, Uid};  pub mod actions; @@ -39,20 +50,17 @@ pub mod component;  pub mod entity;  pub mod event;  pub mod extension; -pub mod lock; +pub mod pair;  pub mod phase;  pub mod query; -pub mod relationship;  pub mod sole;  pub mod stats;  pub mod system;  pub mod tuple; -pub mod type_name;  pub mod uid;  pub mod util; -#[doc(hidden)] -pub mod private; +mod lock;  pub use ecs_macros::{Component, Sole}; @@ -77,56 +85,49 @@ impl World              is_first_tick: AtomicBool::new(false),          }; -        world.add_sole(Stats::default()).ok(); +        crate::phase::spawn_entities(&mut world); -        for create_static_entity in CREATE_STATIC_ENTITIES { -            create_static_entity(&world); -        } +        world.add_sole(Stats::default()).ok();          world      } -    /// Creates a new entity with the given components. -    /// -    /// # Panics -    /// Will panic if mutable internal lock cannot be acquired. +    /// Creates a entity with the given components. A new unique [`Uid`] will be generated +    /// for this entity.      pub fn create_entity<Comps>(&mut self, components: Comps) -> Uid      where          Comps: ComponentSequence,      {          let entity_uid = Uid::new_unique(UidKind::Entity); -        self.create_entity_with_uid(components, entity_uid); +        self.create_entity_with_uid(entity_uid, components);          entity_uid      } +    /// Creates a entity with the given components. The entity will have the specified +    /// [`Uid`].      #[tracing::instrument(skip_all)] -    #[doc(hidden)] -    pub fn create_entity_with_uid<Comps>(&self, components: Comps, entity_uid: Uid) +    pub fn create_entity_with_uid<Comps>(&mut self, entity_uid: Uid, components: Comps)      where          Comps: ComponentSequence,      { -        debug_assert_eq!(entity_uid.kind(), UidKind::Entity); - -        { -            let mut component_storage_lock = self.lock_component_storage_rw(); - -            if let Err(err) = component_storage_lock.create_entity(entity_uid) { -                tracing::warn!("Failed to create entity: {err}"); -                return; -            }; +        self.create_ent(entity_uid, components.into_parts_array()); +    } -            Self::add_entity_components( -                entity_uid, -                components.into_array(), -                &mut component_storage_lock, -            ); -        } +    pub fn add_component(&mut self, entity_id: Uid, component_parts: ComponentParts) +    { +        Self::add_entity_components( +            entity_id, +            [component_parts], +            &mut self.data.component_storage, +            &EventSubmitter::new(&self.data.new_events), +        ); +    } -        for added_event_id in Comps::added_event_ids() { -            self.emit_event_by_id(added_event_id); -        } +    pub fn create_declared_entity(&mut self, entity_decl: &EntityDeclaration) +    { +        entity_decl.create(self);      }      /// Adds a globally shared singleton value. @@ -140,35 +141,48 @@ impl World          self.data.sole_storage.insert(sole)      } -    pub fn register_system<'this, SystemImpl>( +    pub fn register_observer<'this, SystemImpl, ObserverT>(          &'this mut self, -        phase_euid: Uid, -        system: impl System<'this, SystemImpl>, -    ) +        observer: ObserverT, +    ) where +        ObserverT: Observer<'this, SystemImpl>,      { -        self.create_entity(( -            SystemComponent { system: system.into_type_erased() }, -            Relationship::<DependsOn, Phase>::new(phase_euid), -        )); +        let (wrapper_comp, mut system_callbacks) = observer.finish_observer(); + +        let ent_id = Uid::new_unique(UidKind::Entity); + +        self.create_ent( +            ent_id, +            [wrapper_comp.into_parts()].into_iter().chain( +                ObserverT::observed_events() +                    .into_iter() +                    .map(IntoComponentParts::into_parts), +            ), +        ); + +        system_callbacks.on_created(self, SystemMetadata { ent_id });      } -    pub fn register_observer_system<'this, SystemImpl, Event>( +    pub fn register_system<'this, SystemImpl>(          &'this mut self, +        phase_euid: Uid,          system: impl System<'this, SystemImpl>, -        event: Event, -    ) where -        Event: Component, +    )      { -        self.create_entity::<(SystemComponent, Event)>(( -            SystemComponent { system: system.into_type_erased() }, -            event, +        let (type_erased_system, mut system_callbacks) = system.finish(); + +        let system_ent_id = self.create_entity(( +            SystemComponent { system: type_erased_system }, +            Pair::builder() +                .relation::<DependsOn>() +                .target_id(phase_euid) +                .build(),          )); + +        system_callbacks.on_created(self, SystemMetadata { ent_id: system_ent_id });      }      /// Adds a extensions. -    /// -    /// # Panics -    /// Will panic if mutable internal lock cannot be acquired.      pub fn add_extension(&mut self, extension: impl Extension)      {          let extension_collector = ExtensionCollector::new(self); @@ -176,7 +190,9 @@ impl World          extension.collect(extension_collector);      } -    pub fn query<FieldTerms, FieldlessTerms>(&self) -> Query<FieldTerms, FieldlessTerms> +    pub fn query<FieldTerms, FieldlessTerms>( +        &self, +    ) -> Query<'_, FieldTerms, FieldlessTerms>      where          FieldTerms: QueryTermWithFieldTuple,          FieldlessTerms: QueryTermWithoutFieldTuple, @@ -192,11 +208,34 @@ impl World          FlexibleQuery::new(self, terms)      } +    pub fn get_entity(&self, entity_id: Uid) -> Option<EntityHandle<'_>> +    { +        let archetype = self +            .data +            .component_storage +            .get_entity_archetype(entity_id)?; + +        let Some(entity) = archetype.get_entity_by_id(entity_id) else { +            unreachable!("Should exist since archetype was found by entity id"); +        }; + +        Some(EntityHandle::new(archetype, entity, self)) +    } + +    pub fn get_sole<SoleT: Sole>(&self) -> Option<Single<'_, SoleT>> +    { +        Some(Single::new(self.data.sole_storage.get::<SoleT>()?)) +    } + +    pub fn event_submitter(&self) -> EventSubmitter<'_> +    { +        EventSubmitter::new(&self.data.new_events) +    } +      /// Performs a single tick. -    ///      /// # Panics -    /// Will panic if a internal lock cannot be acquired. -    pub fn step(&self) -> StepResult +    /// Will panic if mutable internal lock cannot be acquired. +    pub fn step(&mut self) -> StepResult      {          if self.stop.load(Ordering::Relaxed) {              return StepResult::Stop; @@ -212,8 +251,9 @@ impl World          self.perform_phases(); -        self.lock_component_storage_rw() -            .create_imaginary_archetypes(); +        self.emit_new_events(); + +        self.data.component_storage.create_imaginary_archetypes();          self.perform_queued_actions(); @@ -221,17 +261,9 @@ impl World              return StepResult::Stop;          } -        let mut stats_lock = self -            .data -            .sole_storage -            .get::<Stats>() -            .expect("No stats sole found") -            .write_nonblock() -            .expect("Failed to aquire read-write stats sole lock"); - -        let stats = stats_lock -            .downcast_mut::<Stats>() -            .expect("Casting stats sole to Stats type failed"); +        let Some(mut stats) = self.get_sole::<Stats>() else { +            unreachable!(); // Reason: is added in World::new +        };          stats.current_tick += 1; @@ -239,10 +271,7 @@ impl World      }      /// Starts a loop which calls [`Self::step`] until the world is stopped. -    /// -    /// # Panics -    /// Will panic if a internal lock cannot be acquired. -    pub fn start_loop(&self) +    pub fn start_loop(&mut self)      {          while let StepResult::Continue = self.step() {}      } @@ -260,13 +289,7 @@ impl World              VizoxideArchetypeGraphParams,          }; -        let component_storage_lock = self -            .data -            .component_storage -            .read_nonblock() -            .expect("Failed to acquire read-only component storage lock"); - -        component_storage_lock.create_vizoxide_archetype_graph( +        self.data.component_storage.create_vizoxide_archetype_graph(              name,              VizoxideArchetypeGraphParams {                  create_node_name: |archetype, _| { @@ -275,7 +298,7 @@ impl World                          archetype                              .component_ids_sorted()                              .into_iter() -                            .map(|comp_id| comp_id.id().to_string()) +                            .map(|comp_id| comp_id.to_string())                              .collect::<Vec<_>>()                              .join(", ")                      )) @@ -300,161 +323,168 @@ impl World          )      } -    fn query_and_run_systems(&self, phase_euid: Uid) +    #[tracing::instrument(skip_all)] +    fn create_ent( +        &mut self, +        entity_uid: Uid, +        components: impl IntoIterator<Item = ComponentParts>, +    )      { -        let system_comps_query = -            self.query::<(&SystemComponent, &Relationship<DependsOn, Phase>), ()>(); +        debug_assert_eq!(entity_uid.kind(), UidKind::Entity); + +        if let Err(err) = self.data.component_storage.create_entity(entity_uid) { +            tracing::warn!("Failed to create entity: {err}"); +            return; +        } -        let system_iter = system_comps_query.iter().filter(|(_, phase_rel)| { -            phase_rel -                .target_uids() -                .any(|target_uid| target_uid == phase_euid) -        }); +        Self::add_entity_components( +            entity_uid, +            components, +            &mut self.data.component_storage, +            &EventSubmitter::new(&self.data.new_events), +        ); +    } -        for (system_component, _) in system_iter { +    fn query_and_run_systems(&self, phase_euid: Uid) +    { +        let system_query = Query::<(&SystemComponent,)>::from_flexible_query( +            self.flexible_query( +                QueryTerms::<QUERY_MAX_TERM_CNT>::builder() +                    .with_required([ +                        SystemComponent::id(), +                        Pair::builder() +                            .relation::<DependsOn>() +                            .target_id(phase_euid) +                            .build() +                            .id(), +                    ]) +                    .build(), +            ), +        ); + +        for (system_ent_id, (system_component,)) in system_query.iter_with_euids() {              // SAFETY: The world lives long enough              unsafe { -                system_component.system.run(self); +                system_component +                    .system +                    .run(self, SystemMetadata { ent_id: system_ent_id });              }          }      }      fn perform_child_phases(&self, parent_phase_euid: Uid)      { -        let phase_query = self.query::<(&Phase, &Relationship<ChildOf, Phase>), ()>(); - -        for (child_phase_euid, (_, phase_rel)) in phase_query.iter_with_euids() { -            if !phase_rel -                .target_uids() -                .any(|phase_euid| phase_euid == parent_phase_euid) -            { -                continue; -            } +        let phase_query = self.flexible_query( +            QueryTerms::<2>::builder() +                .with_required([ +                    Phase::id(), +                    Pair::builder() +                        .relation::<ChildOf>() +                        .target_id(parent_phase_euid) +                        .build() +                        .id(), +                ]) +                .build(), +        ); -            self.query_and_run_systems(child_phase_euid); -            self.perform_child_phases(child_phase_euid); +        for child_phase_entity in &phase_query { +            self.query_and_run_systems(child_phase_entity.uid()); +            self.perform_child_phases(child_phase_entity.uid());          }      } +    fn perform_single_phase(&self, phase_entity_id: Uid) +    { +        self.query_and_run_systems(phase_entity_id); +        self.perform_child_phases(phase_entity_id); +    } +      fn perform_phases(&self)      { -        let phase_query = -            self.query::<(&Phase,), (Without<Relationship<ChildOf, Phase>>,)>(); +        self.perform_single_phase(*PRE_UPDATE_PHASE); +        self.perform_single_phase(*UPDATE_PHASE); +        self.perform_single_phase(*POST_UPDATE_PHASE); +    } -        for (phase_euid, (_,)) in phase_query.iter_with_euids() { -            if phase_euid == *START_PHASE { -                continue; -            } +    fn emit_new_events(&self) +    { +        loop { +            let new_events = { +                let mut new_events_lock = self +                    .data +                    .new_events +                    .write_nonblock() +                    .expect("Failed to acquire read-write lock to new events"); + +                if new_events_lock.is_empty() { +                    break; +                } + +                new_events_lock.take() +            }; -            self.query_and_run_systems(phase_euid); -            self.perform_child_phases(phase_euid); +            for (event_id, event_matches) in new_events { +                self.emit_event_observers( +                    event_id, +                    &EmittedEvent { +                        event: event_id, +                        match_ids: &event_matches.match_ids, +                    }, +                ); +            }          }      }      #[tracing::instrument(skip_all)] -    fn perform_queued_actions(&self) +    fn perform_queued_actions(&mut self)      { -        let mut active_action_queue = match *self.data.action_queue.active_queue.borrow() -        { -            ActiveActionQueue::A => &self.data.action_queue.queue_a, -            ActiveActionQueue::B => &self.data.action_queue.queue_b, -        } -        .write_nonblock() -        .unwrap_or_else(|err| { -            panic!( -                "Failed to take read-write action queue lock {:?}: {err}", -                self.data.action_queue.active_queue -            ); -        }); - -        let mut has_swapped_active_queue = false; +        let mut action_queue_lock = self +            .data +            .action_queue +            .queue +            .write_nonblock() +            .unwrap_or_else(|err| { +                panic!("Failed to take read-write action queue lock: {err}",); +            }); -        for action in active_action_queue.drain(..) { +        for action in action_queue_lock.drain(..) {              match action { -                Action::Spawn(components, component_added_event_ids) => { +                Action::Spawn(new_entity_uid, components) => { +                    if let Err(err) = +                        self.data.component_storage.create_entity(new_entity_uid)                      { -                        let mut component_storage_lock = self.lock_component_storage_rw(); - -                        let new_entity_uid = Uid::new_unique(UidKind::Entity); - -                        if let Err(err) = -                            component_storage_lock.create_entity(new_entity_uid) -                        { -                            tracing::warn!("Failed to create entity: {err}"); -                            continue; -                        }; - -                        Self::add_entity_components( -                            new_entity_uid, -                            components, -                            &mut component_storage_lock, -                        ); +                        tracing::warn!("Failed to create entity: {err}"); +                        continue;                      } -                    if !has_swapped_active_queue { -                        self.swap_event_queue(&mut has_swapped_active_queue); -                    } - -                    for comp_added_event_id in component_added_event_ids.ids { -                        self.emit_event_by_id(comp_added_event_id); -                    } +                    Self::add_entity_components( +                        new_entity_uid, +                        components, +                        &mut self.data.component_storage, +                        &EventSubmitter::new(&self.data.new_events), +                    );                  }                  Action::Despawn(entity_uid) => { -                    self.despawn_entity(entity_uid, &mut has_swapped_active_queue); -                } -                Action::AddComponents( -                    entity_uid, -                    components, -                    component_added_event_ids, -                ) => { +                    if let Err(err) = +                        self.data.component_storage.remove_entity(entity_uid)                      { -                        let mut component_storage_lock = self.lock_component_storage_rw(); - -                        Self::add_entity_components( -                            entity_uid, -                            components, -                            &mut component_storage_lock, -                        ); -                    } - -                    if !has_swapped_active_queue { -                        self.swap_event_queue(&mut has_swapped_active_queue); -                    } - -                    // TODO: Fix that events are emitted for components that haven't been -                    // added because a error occurred (for example, the entity already has -                    // the component) -                    for comp_added_event_id in component_added_event_ids.ids { -                        self.emit_event_by_id(comp_added_event_id); +                        tracing::error!("Failed to despawn entity: {err}");                      }                  } -                Action::RemoveComponents( -                    entity_uid, -                    components_metadata, -                    component_removed_event_ids, -                ) => { -                    { -                        let mut component_storage_lock = self.lock_component_storage_rw(); - -                        Self::remove_entity_components( -                            entity_uid, -                            components_metadata -                                .iter() -                                .map(|comp_metadata| comp_metadata.id), -                            &mut component_storage_lock, -                        ); -                    } - -                    if !has_swapped_active_queue { -                        self.swap_event_queue(&mut has_swapped_active_queue); -                    } - -                    // TODO: Fix that events are emitted for components that haven't been -                    // removed because a error occurred (for example, the entity does not -                    // have the component) -                    for comp_removed_event_id in component_removed_event_ids.ids { -                        self.emit_event_by_id(comp_removed_event_id); -                    } +                Action::AddComponents(entity_uid, components) => { +                    Self::add_entity_components( +                        entity_uid, +                        components, +                        &mut self.data.component_storage, +                        &EventSubmitter::new(&self.data.new_events), +                    ); +                } +                Action::RemoveComponents(entity_uid, component_ids) => { +                    Self::remove_entity_components( +                        entity_uid, +                        component_ids, +                        &mut self.data.component_storage, +                    );                  }                  Action::Stop => {                      self.stop.store(true, Ordering::Relaxed); @@ -463,59 +493,39 @@ impl World          }      } -    #[tracing::instrument(skip_all)] -    fn despawn_entity(&self, entity_uid: Uid, has_swapped_active_queue: &mut bool) -    { -        let mut component_storage_lock = self.lock_component_storage_rw(); - -        let removed_entity = match component_storage_lock.remove_entity(entity_uid) { -            Ok(components) => components, -            Err(err) => { -                tracing::error!("Failed to despawn entity: {err}"); -                return; -            } -        }; - -        let component_removed_event_uids = removed_entity -            .components() -            .iter() -            .map(|component| { -                component -                    .component() -                    .read_nonblock() -                    .unwrap_or_else(|_| { -                        panic!( -                            "Failed to acquire read-only {} component lock", -                            component.name() -                        ) -                    }) -                    .get_event_uid(ComponentEventKind::Removed) -            }) -            .collect::<Vec<_>>(); - -        drop(component_storage_lock); - -        if !*has_swapped_active_queue { -            self.swap_event_queue(has_swapped_active_queue); -        } - -        for comp_removed_event_id in component_removed_event_uids { -            self.emit_event_by_id(comp_removed_event_id); -        } -    } -      fn add_entity_components(          entity_uid: Uid, -        components: impl IntoIterator<Item = (Uid, Box<dyn Component>)>, +        components: impl IntoIterator<Item = ComponentParts>,          component_storage: &mut ComponentStorage, +        event_submitter: &EventSubmitter<'_>,      )      { -        for (component_id, component) in components { -            if let Err(err) = component_storage -                .add_entity_component(entity_uid, (component_id, component)) -            { -                tracing::error!("Failed to add component to entity: {err}"); +        let component_iter = components.into_iter(); + +        for component_parts in component_iter { +            let comp_id = component_parts.id(); + +            let comp_name = component_parts.name(); + +            if let Err(err) = component_storage.add_entity_component( +                entity_uid, +                (comp_id, comp_name, component_parts.into_data()), +            ) { +                tracing::error!("Failed to add component {comp_name} to entity: {err}"); +                continue; +            } + +            if comp_id.kind() == UidKind::Pair { +                continue;              } + +            event_submitter.submit_event( +                &Pair::builder() +                    .relation::<Added>() +                    .target_id(comp_id) +                    .build(), +                entity_uid, +            );          }      } @@ -525,7 +535,9 @@ impl World          component_storage: &mut ComponentStorage,      )      { -        for component_id in component_ids { +        let component_id_iter = component_ids.into_iter(); + +        for component_id in component_id_iter {              if let Err(err) =                  component_storage.remove_entity_component(entity_uid, component_id)              { @@ -534,40 +546,28 @@ impl World          }      } -    fn emit_event_by_id(&self, event_id: Uid) +    fn emit_event_observers(&self, event_id: Uid, emitted_event: &EmittedEvent<'_>)      { -        let query = self.flexible_query( -            QueryTerms::<2>::builder() -                .with_required([SystemComponent::id(), event_id]) -                .build(), +        assert_eq!(event_id.kind(), UidKind::Pair); + +        let query = Query::<(&ObserverWrapperComponent,)>::from_flexible_query( +            self.flexible_query( +                QueryTerms::<QUERY_MAX_TERM_CNT>::builder() +                    .with_required([ObserverWrapperComponent::id(), event_id]) +                    .build(), +            ),          ); -        for (system,) in QueryIter::<(&SystemComponent,), _>::new(self, query.iter()) { +        for (observer_ent_id, (observer,)) in query.iter_with_euids() {              unsafe { -                system.system.run(self); +                observer.run( +                    self, +                    SystemMetadata { ent_id: observer_ent_id }, +                    emitted_event.clone(), +                );              }          }      } - -    fn swap_event_queue(&self, has_swapped_active_queue: &mut bool) -    { -        let mut active_queue = self.data.action_queue.active_queue.borrow_mut(); - -        *active_queue = match *active_queue { -            ActiveActionQueue::A => ActiveActionQueue::B, -            ActiveActionQueue::B => ActiveActionQueue::A, -        }; - -        *has_swapped_active_queue = true; -    } - -    fn lock_component_storage_rw(&self) -> WriteGuard<'_, ComponentStorage> -    { -        self.data -            .component_storage -            .write_nonblock() -            .expect("Failed to acquire read-write component storage lock") -    }  }  impl Default for World @@ -589,72 +589,66 @@ pub enum StepResult  }  #[derive(Debug, Default)] -pub struct WorldData +struct WorldData  { -    component_storage: Arc<Lock<ComponentStorage>>, +    component_storage: ComponentStorage,      sole_storage: SoleStorage, -    action_queue: Arc<ActionQueue>, +    action_queue: Rc<ActionQueue>, +    new_events: Lock<NewEvents>,  } -#[derive(Debug)] +#[derive(Debug, Clone)]  pub struct EntityComponentRef<'a>  { -    comp: &'a ArchetypeEntityComponent, +    component_id: Uid, +    component: &'a ArchetypeEntityComponent, +    entity_id: Uid,  }  impl<'a> EntityComponentRef<'a>  { -    pub fn component(&self) -> &'a Lock<Box<dyn Component>> +    fn component(&self) -> &'a Lock<Box<dyn Any>>      { -        self.comp.component() +        self.component.component()      } -    fn new(comp: &'a ArchetypeEntityComponent) -> Self +    #[must_use] +    pub fn id(&self) -> Uid      { -        Self { comp } +        self.component_id      } -} -#[derive(Debug, Default, Clone, Copy)] -enum ActiveActionQueue -{ -    #[default] -    A, -    B, +    #[must_use] +    pub fn entity_id(&self) -> Uid +    { +        self.entity_id +    } + +    fn new(component_id: Uid, comp: &'a ArchetypeEntityComponent, entity_id: Uid) +        -> Self +    { +        Self { +            component_id, +            component: comp, +            entity_id, +        } +    }  }  #[derive(Debug, Default)]  struct ActionQueue  { -    queue_a: Lock<Vec<Action>>, -    queue_b: Lock<Vec<Action>>, -    active_queue: RefCell<ActiveActionQueue>, +    queue: Lock<Vec<Action>>,  }  impl ActionQueue  {      fn push(&self, action: Action)      { -        match *self.active_queue.borrow() { -            ActiveActionQueue::A => self -                .queue_a -                .write_nonblock() -                .expect("Failed to aquire read-write action queue A lock") -                .push(action), -            ActiveActionQueue::B => self -                .queue_b -                .write_nonblock() -                .expect("Failed to aquire read-write action queue A lock") -                .push(action), -        } -    } -} - -impl TypeName for ActionQueue -{ -    fn type_name(&self) -> &'static str -    { -        type_name::<Self>() +        self.queue +            .write_nonblock() +            .expect("Failed to aquire read-write lock to action queue") +            .push(action);      }  } @@ -699,7 +693,7 @@ impl SoleStorage          self.storage.insert(              sole_type_id,              ManuallyDrop::new(StoredSole { -                sole: Arc::new(Lock::new(Box::new(sole))), +                sole: Arc::new(Lock::new(Box::new(sole), type_name::<SoleT>())),                  drop_last,              }),          ); @@ -716,18 +710,9 @@ impl Drop for SoleStorage          for sole in self.storage.values_mut() {              if sole.drop_last { -                tracing::trace!( -                    "Sole {} pushed to dropping last queue", -                    sole.sole.read_nonblock().unwrap().type_name() -                ); -                  soles_to_drop_last.push(sole);                  continue;              } -            tracing::trace!( -                "Dropping sole {}", -                sole.sole.read_nonblock().unwrap().type_name() -            );              unsafe {                  ManuallyDrop::drop(sole); @@ -735,11 +720,6 @@ impl Drop for SoleStorage          }          for sole in &mut soles_to_drop_last { -            tracing::trace!( -                "Dropping sole {} last", -                sole.sole.read_nonblock().unwrap().type_name() -            ); -              unsafe {                  ManuallyDrop::drop(sole);              } diff --git a/ecs/src/lock.rs b/ecs/src/lock.rs index d6ed40e..fe4e08b 100644 --- a/ecs/src/lock.rs +++ b/ecs/src/lock.rs @@ -1,3 +1,4 @@ +use std::any::type_name;  use std::mem::forget;  use std::ops::{Deref, DerefMut}; @@ -9,57 +10,64 @@ use parking_lot::{      RwLockWriteGuard,  }; -use crate::type_name::TypeName; - -#[derive(Debug, Default)] +#[derive(Debug)]  pub struct Lock<Value> -where -    Value: TypeName,  {      inner: RwLock<Value>, +    value_type_name: &'static str,  }  impl<Value> Lock<Value> -where -    Value: TypeName,  { -    pub fn new(value: Value) -> Self +    pub fn new(value: Value, value_type_name: &'static str) -> Self      { -        Self { inner: RwLock::new(value) } +        Self { +            inner: RwLock::new(value), +            value_type_name, +        }      }      /// Tries to a acquire a handle to the resource with read access.      ///      /// # Errors      /// Returns `Err` if unavailable (A mutable handle is hold). -    pub fn read_nonblock(&self) -> Result<ReadGuard<Value>, Error> +    pub fn read_nonblock(&self) -> Result<ReadGuard<'_, Value>, Error>      {          let guard = self.inner.try_read().ok_or(Error::ReadUnavailable)?; -        tracing::trace!("Acquired lock to value of type {}", guard.type_name()); +        tracing::trace!("Acquired lock to value of type {}", self.value_type_name); -        Ok(ReadGuard { inner: guard }) +        Ok(ReadGuard { +            inner: guard, +            value_type_name: self.value_type_name, +        })      }      /// Tries to a acquire a handle to the resource with mutable access.      ///      /// # Errors      /// Returns `Err` if unavailable (A mutable or immutable handle is hold). -    pub fn write_nonblock(&self) -> Result<WriteGuard<Value>, Error> +    pub fn write_nonblock(&self) -> Result<WriteGuard<'_, Value>, Error>      {          let guard = self.inner.try_write().ok_or(Error::WriteUnavailable)?;          tracing::trace!(              "Acquired mutable lock to value of type {}", -            guard.type_name() +            self.value_type_name          ); -        Ok(WriteGuard { inner: guard }) +        Ok(WriteGuard { +            inner: guard, +            value_type_name: self.value_type_name, +        })      } +} -    pub fn into_inner(self) -> Value +impl<Value: Default + 'static> Default for Lock<Value> +{ +    fn default() -> Self      { -        self.inner.into_inner() +        Self::new(Value::default(), type_name::<Value>())      }  } @@ -75,37 +83,38 @@ pub enum Error  #[derive(Debug)]  pub struct ReadGuard<'guard, Value> -where -    Value: TypeName,  {      inner: RwLockReadGuard<'guard, Value>, +    value_type_name: &'static str,  }  impl<'guard, Value> ReadGuard<'guard, Value> -where -    Value: TypeName,  { -    pub fn map<NewValue>( -        self, -        func: impl FnOnce(&Value) -> &NewValue, -    ) -> MappedReadGuard<'guard, NewValue> -    where -        NewValue: TypeName, +    pub fn try_map<NewValue>( +        this: Self, +        func: impl FnOnce(&Value) -> Option<&NewValue>, +    ) -> Result<MappedReadGuard<'guard, NewValue>, Self>      { +        let value_type_name = this.value_type_name; +          // The 'inner' field cannot be moved out of ReadGuard in a normal way since          // ReadGuard implements Drop -        let inner = unsafe { std::ptr::read(&self.inner) }; -        forget(self); - -        MappedReadGuard { -            inner: RwLockReadGuard::map(inner, func), +        let inner = unsafe { std::ptr::read(&raw const this.inner) }; +        forget(this); + +        match RwLockReadGuard::try_map(inner, func) { +            Ok(mapped_guard) => { +                Ok(MappedReadGuard { inner: mapped_guard, value_type_name }) +            } +            Err(unmapped_guard) => Err(Self { +                inner: unmapped_guard, +                value_type_name, +            }),          }      }  }  impl<Value> Deref for ReadGuard<'_, Value> -where -    Value: TypeName,  {      type Target = Value; @@ -116,26 +125,21 @@ where  }  impl<Value> Drop for ReadGuard<'_, Value> -where -    Value: TypeName,  {      fn drop(&mut self)      { -        tracing::trace!("Dropped lock to value of type {}", self.type_name()); +        tracing::trace!("Dropped lock to value of type {}", self.value_type_name);      }  }  #[derive(Debug)]  pub struct MappedReadGuard<'guard, Value> -where -    Value: TypeName,  {      inner: MappedRwLockReadGuard<'guard, Value>, +    value_type_name: &'static str,  }  impl<Value> Deref for MappedReadGuard<'_, Value> -where -    Value: TypeName,  {      type Target = Value; @@ -146,48 +150,50 @@ where  }  impl<Value> Drop for MappedReadGuard<'_, Value> -where -    Value: TypeName,  {      fn drop(&mut self)      { -        tracing::trace!("Dropped mapped lock to value of type {}", self.type_name()); +        tracing::trace!( +            "Dropped mapped lock to value of type {}", +            self.value_type_name +        );      }  }  #[derive(Debug)]  pub struct WriteGuard<'guard, Value> -where -    Value: TypeName,  {      inner: RwLockWriteGuard<'guard, Value>, +    value_type_name: &'static str,  }  impl<'guard, Value> WriteGuard<'guard, Value> -where -    Value: TypeName,  { -    pub fn map<NewValue>( -        self, -        func: impl FnOnce(&mut Value) -> &mut NewValue, -    ) -> MappedWriteGuard<'guard, NewValue> -    where -        NewValue: TypeName, +    pub fn try_map<NewValue>( +        this: Self, +        func: impl FnOnce(&mut Value) -> Option<&mut NewValue>, +    ) -> Result<MappedWriteGuard<'guard, NewValue>, Self>      { +        let value_type_name = this.value_type_name; +          // The 'inner' field cannot be moved out of ReadGuard in a normal way since          // ReadGuard implements Drop -        let inner = unsafe { std::ptr::read(&self.inner) }; -        forget(self); - -        MappedWriteGuard { -            inner: RwLockWriteGuard::map(inner, func), +        let inner = unsafe { std::ptr::read(&raw const this.inner) }; +        forget(this); + +        match RwLockWriteGuard::try_map(inner, func) { +            Ok(mapped_guard) => { +                Ok(MappedWriteGuard { inner: mapped_guard, value_type_name }) +            } +            Err(unmapped_guard) => Err(Self { +                inner: unmapped_guard, +                value_type_name, +            }),          }      }  }  impl<Value> Deref for WriteGuard<'_, Value> -where -    Value: TypeName,  {      type Target = Value; @@ -198,8 +204,6 @@ where  }  impl<Value> DerefMut for WriteGuard<'_, Value> -where -    Value: TypeName,  {      fn deref_mut(&mut self) -> &mut Self::Target      { @@ -208,26 +212,24 @@ where  }  impl<Value> Drop for WriteGuard<'_, Value> -where -    Value: TypeName,  {      fn drop(&mut self)      { -        tracing::trace!("Dropped mutable lock to value of type {}", self.type_name()); +        tracing::trace!( +            "Dropped mutable lock to value of type {}", +            self.value_type_name +        );      }  }  #[derive(Debug)]  pub struct MappedWriteGuard<'guard, Value> -where -    Value: TypeName,  {      inner: MappedRwLockWriteGuard<'guard, Value>, +    value_type_name: &'static str,  }  impl<Value> Deref for MappedWriteGuard<'_, Value> -where -    Value: TypeName,  {      type Target = Value; @@ -238,8 +240,6 @@ where  }  impl<Value> DerefMut for MappedWriteGuard<'_, Value> -where -    Value: TypeName,  {      fn deref_mut(&mut self) -> &mut Self::Target      { @@ -248,14 +248,12 @@ where  }  impl<Value> Drop for MappedWriteGuard<'_, Value> -where -    Value: TypeName,  {      fn drop(&mut self)      {          tracing::trace!(              "Dropped mapped mutable lock to value of type {}", -            self.type_name() +            self.value_type_name          );      }  } diff --git a/ecs/src/pair.rs b/ecs/src/pair.rs new file mode 100644 index 0000000..b4bfa57 --- /dev/null +++ b/ecs/src/pair.rs @@ -0,0 +1,687 @@ +use std::any::type_name; +use std::convert::Infallible; +use std::marker::PhantomData; + +use crate::component::{ +    Handle as ComponentHandle, +    HandleError as ComponentHandleError, +    HandleMut as ComponentHandleMut, +    IntoParts as IntoComponentParts, +    Parts as ComponentParts, +}; +use crate::entity::{ +    Handle as EntityHandle, +    MatchingComponentIter as EntityMatchingComponentIter, +}; +use crate::query::{ +    TermWithField as QueryTermWithField, +    TermsBuilder as QueryTermsBuilder, +    TermsBuilderInterface, +}; +use crate::uid::{Kind as UidKind, PairParams as UidPairParams, Uid, With as WithUid}; +use crate::util::impl_multiple; +use crate::{Component, EntityComponentRef, World}; + +/// Pair builder. +#[derive(Debug)] +pub struct Builder<Relation, Target> +{ +    relation: Relation, +    target: Target, +} + +impl<Relation, Target> Builder<Relation, Target> +{ +    pub fn relation<NewRelation: Component>(self) -> Builder<Uid, Target> +    { +        Builder { +            relation: NewRelation::id(), +            target: self.target, +        } +    } + +    pub fn relation_id(self, id: Uid) -> Builder<Uid, Target> +    { +        Builder { relation: id, target: self.target } +    } + +    pub fn target<NewTarget: Component>(self) -> Builder<Relation, Uid> +    { +        Builder { +            relation: self.relation, +            target: NewTarget::id(), +        } +    } + +    pub fn target_id(self, id: Uid) -> Builder<Relation, Uid> +    { +        Builder { relation: self.relation, target: id } +    } +} + +impl_multiple!( +    Builder, +    (impl<Target> _<><Uid, Target>, impl<Target> _<><(), Target>) +    cb=(type_params=(ty_param_1, ty_param_2)) => { +        pub fn target_as_data<NewTarget: Component>( +            self, +            data: NewTarget, +        ) -> Builder<$ty_param_1, NewTarget> +        { +            Builder { +                relation: self.relation, +                target: data, +            } +        } +    } +); + +impl_multiple!( +    Builder, +    (impl<Relation> _<><Relation, Uid>, impl<Relation> _<><Relation, ()>) +    cb=(type_params=(ty_param_1, ty_param_2)) => { +        pub fn relation_as_data<NewRelation: Component>( +            self, +            data: NewRelation, +        ) -> Builder<NewRelation, $ty_param_2> +        { +            Builder { +                relation: data, +                target: self.target, +            } +        } +    } +); + +impl_multiple!( +    Builder, +    ( +        impl _<><Uid, Uid>, +        impl<Relation: Component> _<><Relation, Uid>, +        impl<Target: Component> _<><Uid, Target>, +        impl<Relation: Component, Target: Component> _<><Relation, Target> +    ) +    cb=(type_params=(ty_param_1, ty_param_2)) => { +        #[must_use] +        pub fn build(self) -> Pair<$ty_param_1, $ty_param_2> +        { +            Pair { +                relation: self.relation, +                target: self.target +            } +        } +    } +); + +impl Default for Builder<(), ()> +{ +    fn default() -> Self +    { +        Self { relation: (), target: () } +    } +} + +#[derive(Debug)] +pub struct Pair<Relation, Target> +{ +    relation: Relation, +    target: Target, +} + +impl Pair<(), ()> +{ +    #[must_use] +    pub fn builder() -> Builder<(), ()> +    { +        Builder { relation: (), target: () } +    } +} + +impl Pair<Uid, Uid> +{ +    #[must_use] +    pub fn id(&self) -> Uid +    { +        Uid::new_pair(&UidPairParams { +            relation: self.relation, +            target: self.target, +        }) +    } +} + +impl IntoComponentParts for Pair<Uid, Uid> +{ +    fn into_parts(self) -> ComponentParts +    { +        ComponentParts::builder().name("Pair").build(self.id(), ()) +    } +} + +impl<Target> IntoComponentParts for Pair<Uid, Target> +where +    Target: Component, +{ +    fn into_parts(self) -> ComponentParts +    { +        let id = Uid::new_pair(&UidPairParams { +            relation: self.relation, +            target: Target::id(), +        }); + +        ComponentParts::builder() +            .name("Pair") +            .build(id, self.target) +    } +} + +impl<Relation> IntoComponentParts for Pair<Relation, Uid> +where +    Relation: Component, +{ +    fn into_parts(self) -> ComponentParts +    { +        let id = Uid::new_pair(&UidPairParams { +            relation: Relation::id(), +            target: self.target, +        }); + +        ComponentParts::builder() +            .name("Pair") +            .build(id, self.relation) +    } +} + +impl<Relation, Target> QueryTermWithField for Pair<Relation, &Target> +where +    Relation: Component, +    Target: Component, +{ +    type Field<'a> = ComponentHandle<'a, Target>; + +    fn apply_to_terms_builder<const MAX_TERM_CNT: usize>( +        terms_builder: &mut QueryTermsBuilder<MAX_TERM_CNT>, +    ) +    { +        terms_builder.with_required([Pair::<Relation, Target>::uid()]); +    } + +    fn get_field<'world>( +        entity_handle: &EntityHandle<'world>, +        _world: &'world World, +    ) -> Self::Field<'world> +    { +        let target_component = entity_handle +            .get_matching_components(Pair::<Relation, Target>::uid()) +            .next() +            .expect("Not possible"); + +        Self::Field::from_entity_component_ref(&target_component).unwrap_or_else(|err| { +            panic!( +                "Creating handle to target component {} failed: {err}", +                type_name::<Target>() +            ); +        }) +    } +} + +impl<Relation, Target> QueryTermWithField for Pair<Relation, &mut Target> +where +    Relation: Component, +    Target: Component, +{ +    type Field<'a> = ComponentHandleMut<'a, Target>; + +    fn apply_to_terms_builder<const MAX_TERM_CNT: usize>( +        terms_builder: &mut QueryTermsBuilder<MAX_TERM_CNT>, +    ) +    { +        terms_builder.with_required([Pair::<Relation, Target>::uid()]); +    } + +    fn get_field<'world>( +        entity_handle: &EntityHandle<'world>, +        world: &'world World, +    ) -> Self::Field<'world> +    { +        let target_component = entity_handle +            .get_matching_components(Pair::<Relation, Target>::uid()) +            .next() +            .expect("Not possible"); + +        Self::Field::from_entity_component_ref(&target_component, world).unwrap_or_else( +            |err| { +                panic!( +                    "Creating handle to target component {} failed: {err}", +                    type_name::<Target>() +                ); +            }, +        ) +    } +} + +// TODO: implement QueryTermWithField for Pair<&Relation, Target> (or equivalent) +// TODO: implement QueryTermWithField for Pair<&mut Relation, Target> (or equivalent) + +impl<Relation> QueryTermWithField for Pair<Relation, Wildcard> +where +    Relation: Component, +{ +    type Field<'a> = WithWildcard<'a, Relation, Wildcard>; + +    fn apply_to_terms_builder<const MAX_TERM_CNT: usize>( +        terms_builder: &mut QueryTermsBuilder<MAX_TERM_CNT>, +    ) +    { +        terms_builder.with_required([Self::uid()]); +    } + +    fn get_field<'world>( +        entity_handle: &EntityHandle<'world>, +        world: &'world World, +    ) -> Self::Field<'world> +    { +        let first_matching_comp = entity_handle +            .get_matching_components(Self::uid()) +            .next() +            .expect("Not possible"); + +        WithWildcard { +            world, +            component_ref: first_matching_comp, +            _pd: PhantomData, +        } +    } +} + +impl<Relation, Target> WithUid for Pair<Relation, Target> +where +    Relation: Component, +    Target: Component, +{ +    fn uid() -> Uid +    { +        Uid::new_pair(&UidPairParams { +            relation: Relation::id(), +            target: Target::id(), +        }) +    } +} + +impl<Relation> WithUid for Pair<Relation, Wildcard> +where +    Relation: Component, +{ +    fn uid() -> Uid +    { +        Uid::new_pair(&UidPairParams { +            relation: Relation::id(), +            target: Wildcard::uid(), +        }) +    } +} + +impl<Relation> QueryTermWithField for &'_ [Pair<Relation, Wildcard>] +where +    Relation: Component, +{ +    type Field<'a> = MultipleWithWildcard<'a, Relation, Wildcard>; + +    fn apply_to_terms_builder<const MAX_TERM_CNT: usize>( +        _terms_builder: &mut QueryTermsBuilder<MAX_TERM_CNT>, +    ) +    { +    } + +    fn get_field<'world>( +        entity_handle: &EntityHandle<'world>, +        world: &'world World, +    ) -> Self::Field<'world> +    { +        MultipleWithWildcard { +            entity_handle: entity_handle.clone(), +            world, +            _pd: PhantomData, +        } +    } +} + +/// Reference to a pair with a wildcard relation/target. +#[derive(Debug)] +pub struct WithWildcard<'world, Relation, Target> +{ +    world: &'world World, +    component_ref: EntityComponentRef<'world>, +    _pd: PhantomData<(Relation, Target)>, +} + +impl<'world, Relation, Target> WithWildcard<'world, Relation, Target> +{ +    /// Returns a new `WithWildcard`. +    /// +    /// # Panics +    /// This function will panic if: +    /// - The given component's ID is not a pair ID. +    /// - `Relation::uid()` is not wildcard and does not equal to the relation of the +    ///   given component's ID +    /// - `Target::uid()` is not wildcard and does not equal to the target of the given +    ///   component's ID +    /// - Both `Relation::uid()` and `Target::uid()` are wildcards +    /// - Neither `Relation::uid()` or `Target::uid()` are wildcards +    pub fn new(world: &'world World, component_ref: EntityComponentRef<'world>) -> Self +    where +        Relation: ComponentOrWildcard, +        Target: ComponentOrWildcard, +    { +        let component_id = component_ref.id(); + +        assert!(component_id.kind() == UidKind::Pair); + +        assert!( +            Relation::uid() == Wildcard::uid() +                || component_id.relation_component() == Relation::uid() +        ); + +        assert!( +            Target::uid() == Wildcard::uid() +                || component_id.target_component() == Target::uid() +        ); + +        assert!(Relation::uid() == Wildcard::uid() || Target::uid() == Wildcard::uid()); + +        assert!( +            !(Relation::uid() == Wildcard::uid() && Target::uid() == Wildcard::uid()) +        ); + +        WithWildcard { +            world, +            component_ref, +            _pd: PhantomData, +        } +    } + +    /// Returns the [`Uid`] of the pair. +    #[must_use] +    pub fn id(&self) -> Uid +    { +        self.component_ref.id() +    } + +    /// Attempts to get the component data of this pair, returning `None` if the `Data` +    /// type is incorrect. +    /// +    /// # Panics +    /// Will panic if the component data is mutably borrowed elsewhere. +    #[must_use] +    pub fn get_data<Data>(&self) -> Option<ComponentHandle<'_, Data>> +    where +        Data: 'static, +    { +        ComponentHandle::<Data>::from_entity_component_ref(&self.component_ref) +            .map_or_else( +                |err| match err { +                    ComponentHandleError::IncorrectType => None, +                    err @ ComponentHandleError::AcquireLockFailed(_) => { +                        panic!( +                            "Creating handle to pair data as component {} failed: {err}", +                            type_name::<Data>() +                        ); +                    } +                }, +                Some, +            ) +    } + +    /// Attempts to get the component data of this pair, returning `None` if the `Data` +    /// type is incorrect. +    /// +    /// # Panics +    /// Will panic if the component data is borrowed elsewhere. +    #[must_use] +    pub fn get_data_mut<Data>(&self) -> Option<ComponentHandleMut<'_, Data>> +    where +        Data: 'static, +    { +        ComponentHandleMut::<Data>::from_entity_component_ref( +            &self.component_ref, +            self.world, +        ) +        .map_or_else( +            |err| match err { +                ComponentHandleError::IncorrectType => None, +                err @ ComponentHandleError::AcquireLockFailed(_) => { +                    panic!( +                        "Creating handle to pair data as component {} failed: {err}", +                        type_name::<Data>() +                    ); +                } +            }, +            Some, +        ) +    } +} + +impl<Relation> WithWildcard<'_, Relation, Wildcard> +where +    Relation: Component, +{ +    /// Attempts to retrieve the target as a entity, returning `None` if not found. +    #[must_use] +    pub fn get_target_ent(&self) -> Option<EntityHandle<'_>> +    { +        let archetype = self +            .world +            .data +            .component_storage +            .get_entity_archetype(self.component_ref.id().target_entity())?; + +        let Some(archetype_entity) = +            archetype.get_entity_by_id(self.component_ref.id().target_entity()) +        else { +            unreachable!(); +        }; + +        Some(EntityHandle::new(archetype, archetype_entity, self.world)) +    } + +    /// Attempts to get the component data of this pair, returning `None` if the +    /// `Relation` type is incorrect. +    /// +    /// # Panics +    /// Will panic if the component data is mutably borrowed elsewhere. +    #[must_use] +    pub fn get_data_as_relation(&self) -> Option<ComponentHandle<'_, Relation>> +    { +        ComponentHandle::<Relation>::from_entity_component_ref(&self.component_ref) +            .map_or_else( +                |err| match err { +                    ComponentHandleError::IncorrectType => None, +                    err @ ComponentHandleError::AcquireLockFailed(_) => { +                        panic!( +                            "Creating handle to pair data as component {} failed: {err}", +                            type_name::<Relation>() +                        ); +                    } +                }, +                Some, +            ) +    } + +    /// Attempts to get the component data of this pair, returning `None` if the +    /// `Relation` type is incorrect. +    /// +    /// # Panics +    /// Will panic if the component data is borrowed elsewhere. +    #[must_use] +    pub fn get_data_as_relation_mut(&self) -> Option<ComponentHandleMut<'_, Relation>> +    { +        ComponentHandleMut::<Relation>::from_entity_component_ref( +            &self.component_ref, +            self.world, +        ) +        .map_or_else( +            |err| match err { +                ComponentHandleError::IncorrectType => None, +                err @ ComponentHandleError::AcquireLockFailed(_) => { +                    panic!( +                        "Creating handle to pair data as component {} failed: {err}", +                        type_name::<Relation>() +                    ); +                } +            }, +            Some, +        ) +    } +} + +/// Used to access matching pairs in a entity containing zero or more matching pairs. +#[derive(Debug)] +pub struct MultipleWithWildcard<'a, Relation, Target> +{ +    entity_handle: EntityHandle<'a>, +    world: &'a World, +    _pd: PhantomData<(Relation, Target)>, +} + +impl<'world, Relation, Target> MultipleWithWildcard<'world, Relation, Target> +{ +    /// Returns a new `MultipleWithWildcard`. +    /// +    /// # Panics +    /// This function will panic if: +    /// - Both `Relation::uid()` and `Target::uid()` are wildcards +    /// - Neither `Relation::uid()` or `Target::uid()` are wildcards +    pub fn new(world: &'world World, entity_handle: EntityHandle<'world>) -> Self +    where +        Relation: ComponentOrWildcard, +        Target: ComponentOrWildcard, +    { +        assert!(Relation::uid() == Wildcard::uid() || Target::uid() == Wildcard::uid()); + +        assert!( +            !(Relation::uid() == Wildcard::uid() && Target::uid() == Wildcard::uid()) +        ); + +        MultipleWithWildcard { +            entity_handle, +            world, +            _pd: PhantomData, +        } +    } +} + +impl<'a, Relation: Component> MultipleWithWildcard<'a, Relation, Wildcard> +{ +    #[must_use] +    pub fn get_with_target_id( +        &self, +        target_id: Uid, +    ) -> Option<WithWildcard<'a, Relation, Wildcard>> +    { +        Some(WithWildcard { +            world: self.world, +            component_ref: self +                .entity_handle +                .get_matching_components( +                    Pair::builder() +                        .relation::<Relation>() +                        .target_id(target_id) +                        .build() +                        .id(), +                ) +                .next()?, +            _pd: PhantomData, +        }) +    } +} + +impl<'a, Relation: Component> IntoIterator +    for MultipleWithWildcard<'a, Relation, Wildcard> +{ +    type IntoIter = WithWildcardIter<'a, Relation, Wildcard>; +    type Item = <Self::IntoIter as Iterator>::Item; + +    fn into_iter(self) -> Self::IntoIter +    { +        WithWildcardIter { +            inner: self +                .entity_handle +                .get_matching_components(Pair::<Relation, Wildcard>::uid()), +            world: self.world, +            _pd: PhantomData, +        } +    } +} + +/// Iterator of matching pairs in a entity. +pub struct WithWildcardIter<'a, Relation, Target> +{ +    inner: EntityMatchingComponentIter<'a>, +    world: &'a World, +    _pd: PhantomData<(Relation, Target)>, +} + +impl<'a, Relation, Target> Iterator for WithWildcardIter<'a, Relation, Target> +{ +    type Item = WithWildcard<'a, Relation, Target>; + +    fn next(&mut self) -> Option<Self::Item> +    { +        let matching_comp = self.inner.next()?; + +        Some(WithWildcard { +            world: self.world, +            component_ref: matching_comp, +            _pd: PhantomData, +        }) +    } +} + +/// Relation denoting a dependency to another entity +#[derive(Debug, Default, Clone, Copy, Component)] +pub struct DependsOn; + +/// Relation denoting being the child of another entity. +#[derive(Debug, Default, Clone, Copy, Component)] +pub struct ChildOf; + +#[derive(Debug)] +pub struct Wildcard(Infallible); + +impl Wildcard +{ +    #[must_use] +    pub fn uid() -> Uid +    { +        Uid::wildcard() +    } +} + +pub trait ComponentOrWildcard: sealed::Sealed +{ +    fn uid() -> Uid; +} + +impl<ComponentT: Component> ComponentOrWildcard for ComponentT +{ +    fn uid() -> Uid +    { +        ComponentT::id() +    } +} + +impl<ComponentT: Component> sealed::Sealed for ComponentT {} + +impl ComponentOrWildcard for Wildcard +{ +    fn uid() -> Uid +    { +        Wildcard::uid() +    } +} + +impl sealed::Sealed for Wildcard {} + +mod sealed +{ +    pub trait Sealed {} +} diff --git a/ecs/src/phase.rs b/ecs/src/phase.rs index b8660f2..39f2a08 100644 --- a/ecs/src/phase.rs +++ b/ecs/src/phase.rs @@ -1,15 +1,19 @@  use ecs_macros::Component; -use crate::relationship::{ChildOf, Relationship}; -use crate::static_entity; +use crate::{declare_entity, World};  #[derive(Debug, Default, Clone, Copy, Component)]  pub struct Phase; -static_entity!(pub START, (Phase,)); +declare_entity!(pub START, (Phase,)); +declare_entity!(pub PRE_UPDATE, (Phase,)); +declare_entity!(pub UPDATE, (Phase,)); +declare_entity!(pub POST_UPDATE, (Phase,)); -static_entity!(pub PRE_UPDATE, (Phase,)); - -static_entity!(pub UPDATE, (Phase, <Relationship<ChildOf, Phase>>::new(*PRE_UPDATE))); - -static_entity!(pub PRESENT, (Phase, <Relationship<ChildOf, Phase>>::new(*UPDATE))); +pub(crate) fn spawn_entities(world: &mut World) +{ +    world.create_declared_entity(&START); +    world.create_declared_entity(&PRE_UPDATE); +    world.create_declared_entity(&UPDATE); +    world.create_declared_entity(&POST_UPDATE); +} diff --git a/ecs/src/private.rs b/ecs/src/private.rs deleted file mode 100644 index 56a6552..0000000 --- a/ecs/src/private.rs +++ /dev/null @@ -1,2 +0,0 @@ -#[doc(hidden)] -pub use {linkme, paste}; diff --git a/ecs/src/query.rs b/ecs/src/query.rs index b29db3d..5f13579 100644 --- a/ecs/src/query.rs +++ b/ecs/src/query.rs @@ -3,11 +3,15 @@ use std::marker::PhantomData;  use seq_macro::seq; -use crate::component::{Component, FromLockedOptional, Ref as ComponentRef}; +use crate::component::{ +    Component, +    Handle as ComponentHandle, +    HandleMut as ComponentHandleMut, +};  use crate::entity::Handle as EntityHandle;  use crate::query::flexible::{Iter as FlexibleQueryIter, Query as FlexibleQuery}; -use crate::system::{Param as SystemParam, System}; -use crate::uid::Uid; +use crate::system::{Metadata as SystemMetadata, Param as SystemParam}; +use crate::uid::{Kind as UidKind, Uid, With as WithUid};  use crate::util::array_vec::ArrayVec;  use crate::util::Array;  use crate::World; @@ -15,15 +19,16 @@ use crate::World;  pub mod flexible;  pub mod term; +// A term tuple type can have a maximum of 17 elements +pub const MAX_TERM_CNT: usize = 17; +  #[derive(Debug)]  pub struct Query<'world, FieldTerms, FieldlessTerms = ()>  where      FieldTerms: TermWithFieldTuple,      FieldlessTerms: TermWithoutFieldTuple,  { -    world: &'world World, -    // A term tuple type can have a maximum of 17 elements -    inner: FlexibleQuery<'world, 17>, +    inner: FlexibleQuery<'world, MAX_TERM_CNT>,      _pd: PhantomData<(FieldTerms, FieldlessTerms)>,  } @@ -42,8 +47,8 @@ where          tracing::trace!("Searching for {}", std::any::type_name::<FieldTerms>());          Iter { -            world: self.world, -            iter: self.inner.iter(), +            world: self.inner.world(), +            inner: self.inner.iter(),              comps_pd: PhantomData,          }      } @@ -58,7 +63,7 @@ where          tracing::trace!("Searching for {}", std::any::type_name::<FieldTerms>());          ComponentAndEuidIter { -            world: self.world, +            world: self.inner.world(),              iter: self.inner.iter(),              comps_pd: PhantomData,          } @@ -80,8 +85,8 @@ where          tracing::trace!("Searching for {}", std::any::type_name::<FieldTerms>());          Iter { -            world: self.world, -            iter: func(self.inner.iter()), +            world: self.inner.world(), +            inner: func(self.inner.iter()),              comps_pd: PhantomData,          }      } @@ -93,6 +98,25 @@ where          Some(self.inner.iter().nth(entity_index)?.uid())      } +    /// Returns a new `Query` created from a [`FlexibleQuery`]. +    /// +    /// # Important notes +    /// The terms in `FieldTerms` and `FieldlessTerms` must be compatible with the terms +    /// in the given [`FlexibleQuery`], otherwise any method call or iterating might +    /// panic. +    #[must_use] +    pub fn from_flexible_query( +        flexible_query: FlexibleQuery<'world, MAX_TERM_CNT>, +    ) -> Self +    { +        // TODO: Check compatability of terms + +        Self { +            inner: flexible_query, +            _pd: PhantomData, +        } +    } +      pub(crate) fn new(world: &'world World) -> Self      {          let mut terms_builder = Terms::builder(); @@ -101,7 +125,6 @@ where          FieldlessTerms::apply_terms_to_builder(&mut terms_builder);          Self { -            world,              inner: world.flexible_query(terms_builder.build()),              _pd: PhantomData,          } @@ -111,7 +134,7 @@ where  impl<'query, 'world, FieldTerms, FieldlessTerms> IntoIterator      for &'query Query<'world, FieldTerms, FieldlessTerms>  where -    FieldTerms: TermWithFieldTuple + 'world, +    FieldTerms: TermWithFieldTuple,      FieldlessTerms: TermWithoutFieldTuple,  {      type IntoIter = Iter<'query, 'world, FieldTerms, FlexibleQueryIter<'query>>; @@ -131,17 +154,7 @@ where  {      type Input = (); -    fn initialize<SystemImpl>( -        _system: &mut impl System<'world, SystemImpl>, -        _input: Self::Input, -    ) -    { -    } - -    fn new<SystemImpl>( -        _system: &'world impl System<'world, SystemImpl>, -        world: &'world World, -    ) -> Self +    fn new(world: &'world World, _system_metadata: &SystemMetadata) -> Self      {          Self::new(world)      } @@ -163,19 +176,23 @@ impl<const MAX_TERM_CNT: usize> Terms<MAX_TERM_CNT>  }  #[derive(Debug, Default)] +#[must_use]  pub struct TermsBuilder<const MAX_TERM_CNT: usize>  {      required_components: ArrayVec<Uid, MAX_TERM_CNT>,      excluded_components: ArrayVec<Uid, MAX_TERM_CNT>,  } +#[allow(clippy::return_self_not_must_use)]  pub trait TermsBuilderInterface  { -    fn with<ComponentT: Component>(self) -> Self; +    fn with<WithUidT: WithUid>(self) -> Self; -    fn without<ComponentT: Component>(self) -> Self; +    fn without<WithUidT: WithUid>(self) -> Self;      fn with_required(self, ids: impl Array<Uid>) -> Self; + +    fn without_ids(self, ids: impl Array<Uid>) -> Self;  }  macro_rules! impl_terms_builder { @@ -196,36 +213,25 @@ macro_rules! impl_terms_builder {  impl_terms_builder! {      #[allow(unused_mut)] -    fn with<ComponentT: Component>(mut self) -> Self +    fn with<WithUidT: WithUid>(mut self) -> Self      { -        if ComponentT::is_optional() { -            return self; -        } -          let insert_index = self.required_components -            .partition_point(|id| *id <= ComponentT::id()); +            .partition_point(|id| *id <= WithUidT::uid());          self.required_components -            .insert(insert_index, ComponentT::id()); +            .insert(insert_index, WithUidT::uid());          self      }      #[allow(unused_mut)] -    fn without<ComponentT: Component>(mut self) -> Self +    fn without<WithUidT: WithUid>(mut self) -> Self      { -        if ComponentT::is_optional() { -            panic!( -                "{}::without cannot take optional component", -                type_name::<Self>() -            ); -        } -          let insert_index = self.excluded_components -            .partition_point(|id| *id <= ComponentT::id()); +            .partition_point(|id| *id <= WithUidT::uid());          self.excluded_components -            .insert(insert_index, ComponentT::id()); +            .insert(insert_index, WithUidT::uid());          self      } @@ -237,7 +243,7 @@ impl_terms_builder! {              ids.as_mut().sort();          } -        if self.required_components.len() == 0 { +        if self.required_components.is_empty() {              self.required_components.extend(ids);              return self;          } @@ -261,14 +267,47 @@ impl_terms_builder! {          self      } + +    #[allow(unused_mut)] +    fn without_ids(mut self, mut ids: impl Array<Uid>) -> Self +    { +        if !ids.as_ref().is_sorted() { +            ids.as_mut().sort(); +        } + +        if self.excluded_components.is_empty() { +            self.excluded_components.extend(ids); +            return self; +        } + +        let mut id_iter = ids.into_iter(); + +        while let Some(id) = id_iter.next() { +            let insert_index = self.excluded_components +                .partition_point(|other_id| *other_id <= id); + +            if insert_index == self.excluded_components.len() { +                self.excluded_components.extend([id].into_iter().chain(id_iter)); + +                return self; +            } + +            self.excluded_components +                .insert(insert_index, id); + +        } + +        self +    }  }  impl<const MAX_TERM_CNT: usize> TermsBuilder<MAX_TERM_CNT>  { +    #[must_use]      pub fn build(self) -> Terms<MAX_TERM_CNT>      { -        assert!(self.required_components.is_sorted()); -        assert!(self.excluded_components.is_sorted()); +        debug_assert!(self.required_components.is_sorted()); +        debug_assert!(self.excluded_components.is_sorted());          Terms {              required_components: self.required_components, @@ -298,15 +337,56 @@ pub trait TermWithField      ) -> Self::Field<'world>;  } -impl<ComponentRefT: ComponentRef> TermWithField for ComponentRefT +impl<ComponentT: Component> TermWithField for &ComponentT  { -    type Field<'a> = ComponentRefT::Handle<'a>; +    type Field<'a> = ComponentHandle<'a, ComponentT>;      fn apply_to_terms_builder<const MAX_TERM_CNT: usize>(          terms_builder: &mut TermsBuilder<MAX_TERM_CNT>,      )      { -        terms_builder.with::<ComponentRefT::Component>(); +        terms_builder.with::<ComponentT>(); +    } + +    fn get_field<'world>( +        entity_handle: &EntityHandle<'world>, +        _world: &'world World, +    ) -> Self::Field<'world> +    { +        assert_eq!(ComponentT::id().kind(), UidKind::Component); + +        let Some(component) = entity_handle +            .get_matching_components(ComponentT::id()) +            .next() +        else { +            panic!( +                concat!( +                    "Component {} was not found in entity {}. There ", +                    "is most likely a bug in the entity querying" +                ), +                type_name::<ComponentT>(), +                entity_handle.uid() +            ); +        }; + +        Self::Field::from_entity_component_ref(&component).unwrap_or_else(|err| { +            panic!( +                "Creating handle to component {} failed: {err}", +                type_name::<ComponentT>() +            ); +        }) +    } +} + +impl<ComponentT: Component> TermWithField for &mut ComponentT +{ +    type Field<'a> = ComponentHandleMut<'a, ComponentT>; + +    fn apply_to_terms_builder<const MAX_TERM_CNT: usize>( +        terms_builder: &mut TermsBuilder<MAX_TERM_CNT>, +    ) +    { +        terms_builder.with::<ComponentT>();      }      fn get_field<'world>( @@ -314,16 +394,26 @@ impl<ComponentRefT: ComponentRef> TermWithField for ComponentRefT          world: &'world World,      ) -> Self::Field<'world>      { -        Self::Field::from_locked_optional_component( -            entity_handle -                .get_component(ComponentRefT::Component::id()) -                .map(|component| component.component()), -            world, -        ) -        .unwrap_or_else(|err| { +        assert_eq!(ComponentT::id().kind(), UidKind::Component); + +        let Some(component) = entity_handle +            .get_matching_components(ComponentT::id()) +            .next() +        else { +            panic!( +                concat!( +                    "Component {} was not found in entity {}. There ", +                    "is most likely a bug in the entity querying" +                ), +                type_name::<ComponentT>(), +                entity_handle.uid() +            ); +        }; + +        Self::Field::from_entity_component_ref(&component, world).unwrap_or_else(|err| {              panic!( -                "Taking component {} lock failed: {err}", -                type_name::<ComponentRefT::Component>() +                "Creating handle to component {} failed: {err}", +                type_name::<ComponentT>()              );          })      } @@ -352,37 +442,18 @@ pub trait TermWithFieldTuple  pub struct Iter<'query, 'world, FieldTerms, EntityHandleIter>  where -    FieldTerms: TermWithFieldTuple + 'world, +    FieldTerms: TermWithFieldTuple,      EntityHandleIter: Iterator<Item = EntityHandle<'query>>,  {      world: &'world World, -    iter: EntityHandleIter, +    inner: EntityHandleIter,      comps_pd: PhantomData<FieldTerms>,  } -impl<'query, 'world, FieldTerms, EntityHandleIter> -    Iter<'query, 'world, FieldTerms, EntityHandleIter> -where -    FieldTerms: TermWithFieldTuple + 'world, -    EntityHandleIter: Iterator<Item = EntityHandle<'query>>, -    'world: 'query, -{ -    /// Creates a new iterator from the given entity handle iterator. -    /// -    /// # Important -    /// All of the yielded entities of the entity handle iterator should match the -    /// terms `Terms`. The [`Self::next`] function will panic if it encounters a -    /// entity that does not match the terms `Terms`. -    pub fn new(world: &'world World, iter: EntityHandleIter) -> Self -    { -        Self { world, iter, comps_pd: PhantomData } -    } -} -  impl<'query, 'world, FieldTerms, EntityHandleIter> Iterator      for Iter<'query, 'world, FieldTerms, EntityHandleIter>  where -    FieldTerms: TermWithFieldTuple + 'world, +    FieldTerms: TermWithFieldTuple,      EntityHandleIter: Iterator<Item = EntityHandle<'query>>,      'world: 'query,  { @@ -390,7 +461,7 @@ where      fn next(&mut self) -> Option<Self::Item>      { -        let entity_handle = self.iter.next()?; +        let entity_handle = self.inner.next()?;          Some(FieldTerms::get_fields(&entity_handle, self.world))      } @@ -398,7 +469,7 @@ where  pub struct ComponentAndEuidIter<'query, 'world, FieldTerms, EntityHandleIter>  where -    FieldTerms: TermWithFieldTuple + 'world, +    FieldTerms: TermWithFieldTuple,      EntityHandleIter: Iterator<Item = EntityHandle<'query>>,  {      world: &'world World, @@ -409,7 +480,7 @@ where  impl<'query, 'world, FieldTerms, EntityHandleIter> Iterator      for ComponentAndEuidIter<'query, 'world, FieldTerms, EntityHandleIter>  where -    FieldTerms: TermWithFieldTuple + 'world, +    FieldTerms: TermWithFieldTuple,      EntityHandleIter: Iterator<Item = EntityHandle<'query>>,      'world: 'query,  { diff --git a/ecs/src/query/flexible.rs b/ecs/src/query/flexible.rs index 2f0b5e7..936ab82 100644 --- a/ecs/src/query/flexible.rs +++ b/ecs/src/query/flexible.rs @@ -2,13 +2,8 @@  use std::iter::{repeat_n, FlatMap, RepeatN, Zip};  use crate::component::storage::archetype::{Archetype, EntityIter}; -use crate::component::storage::{ -    ArchetypeRefIter, -    ArchetypeSearchTerms, -    Storage as ComponentStorage, -}; +use crate::component::storage::{ArchetypeRefIter, ArchetypeSearchTerms};  use crate::entity::Handle as EntityHandle; -use crate::lock::ReadGuard;  use crate::query::Terms;  use crate::World; @@ -16,7 +11,7 @@ use crate::World;  #[derive(Debug)]  pub struct Query<'world, const MAX_TERM_CNT: usize>  { -    component_storage: ReadGuard<'world, ComponentStorage>, +    world: &'world World,      terms: Terms<MAX_TERM_CNT>,  } @@ -28,6 +23,8 @@ impl<'world, const MAX_TERM_CNT: usize> Query<'world, MAX_TERM_CNT>      {          Iter {              iter: self +                .world +                .data                  .component_storage                  .search_archetypes(ArchetypeSearchTerms {                      required_components: &self.terms.required_components, @@ -39,25 +36,37 @@ impl<'world, const MAX_TERM_CNT: usize> Query<'world, MAX_TERM_CNT>                              .zip(archetype.entities())                      }) as ComponentIterMapFn,                  ), +            world: self.world,          }      } +    #[must_use] +    pub fn world(&self) -> &'world World +    { +        self.world +    } +      pub(crate) fn new(world: &'world World, terms: Terms<MAX_TERM_CNT>) -> Self      { -        Self { -            component_storage: world -                .data -                .component_storage -                .read_nonblock() -                .expect("Failed to acquire read-only component storage lock"), -            terms, -        } +        Self { world, terms } +    } +} + +impl<'query, const MAX_TERM_CNT: usize> IntoIterator for &'query Query<'_, MAX_TERM_CNT> +{ +    type IntoIter = Iter<'query>; +    type Item = EntityHandle<'query>; + +    fn into_iter(self) -> Self::IntoIter +    { +        self.iter()      }  }  pub struct Iter<'query>  {      iter: QueryEntityIter<'query>, +    world: &'query World,  }  impl<'query> Iterator for Iter<'query> @@ -68,7 +77,7 @@ impl<'query> Iterator for Iter<'query>      {          let (archetype, entity) = self.iter.next()?; -        Some(EntityHandle::new(archetype, entity)) +        Some(EntityHandle::new(archetype, entity, self.world))      }  } diff --git a/ecs/src/query/term.rs b/ecs/src/query/term.rs index ce453f0..0683918 100644 --- a/ecs/src/query/term.rs +++ b/ecs/src/query/term.rs @@ -1,42 +1,116 @@ +use std::any::type_name;  use std::marker::PhantomData; -use crate::component::Component; -use crate::query::{TermWithoutField, TermsBuilder, TermsBuilderInterface}; +use crate::component::{ +    Component, +    Handle as ComponentHandle, +    HandleMut as ComponentHandleMut, +}; +use crate::query::{ +    TermWithField, +    TermWithoutField, +    TermsBuilder, +    TermsBuilderInterface, +}; +use crate::uid::With as WithUid; -pub struct With<ComponentT> +pub struct With<WithUidT>  where -    ComponentT: Component, +    WithUidT: WithUid,  { -    _pd: PhantomData<ComponentT>, +    _pd: PhantomData<WithUidT>,  } -impl<ComponentT> TermWithoutField for With<ComponentT> +impl<WithUidT> TermWithoutField for With<WithUidT>  where -    ComponentT: Component, +    WithUidT: WithUid,  {      fn apply_to_terms_builder<const MAX_TERM_CNT: usize>(          terms_builder: &mut TermsBuilder<MAX_TERM_CNT>,      )      { -        terms_builder.with::<ComponentT>(); +        terms_builder.with::<WithUidT>();      }  } -pub struct Without<ComponentT> +pub struct Without<WithUidT>  where -    ComponentT: Component, +    WithUidT: WithUid,  { -    _pd: PhantomData<ComponentT>, +    _pd: PhantomData<WithUidT>,  } -impl<ComponentT> TermWithoutField for Without<ComponentT> +impl<WithUidT> TermWithoutField for Without<WithUidT>  where -    ComponentT: Component, +    WithUidT: WithUid,  {      fn apply_to_terms_builder<const MAX_TERM_CNT: usize>(          terms_builder: &mut TermsBuilder<MAX_TERM_CNT>,      )      { -        terms_builder.without::<ComponentT>(); +        terms_builder.without::<WithUidT>(); +    } +} + +impl<ComponentT: Component> TermWithField for Option<&ComponentT> +{ +    type Field<'a> = Option<ComponentHandle<'a, ComponentT>>; + +    fn apply_to_terms_builder<const MAX_TERM_CNT: usize>( +        _terms_builder: &mut TermsBuilder<MAX_TERM_CNT>, +    ) +    { +    } + +    fn get_field<'world>( +        entity_handle: &crate::entity::Handle<'world>, +        _world: &'world crate::World, +    ) -> Self::Field<'world> +    { +        Some( +            ComponentHandle::<'world, ComponentT>::from_entity_component_ref( +                &entity_handle +                    .get_matching_components(ComponentT::id()) +                    .next()?, +            ) +            .unwrap_or_else(|err| { +                panic!( +                    "Creating handle to component {} failed: {err}", +                    type_name::<ComponentT>() +                ); +            }), +        ) +    } +} + +impl<ComponentT: Component> TermWithField for Option<&mut ComponentT> +{ +    type Field<'a> = Option<ComponentHandleMut<'a, ComponentT>>; + +    fn apply_to_terms_builder<const MAX_TERM_CNT: usize>( +        _terms_builder: &mut TermsBuilder<MAX_TERM_CNT>, +    ) +    { +    } + +    fn get_field<'world>( +        entity_handle: &crate::entity::Handle<'world>, +        world: &'world crate::World, +    ) -> Self::Field<'world> +    { +        Some( +            ComponentHandleMut::<'world, ComponentT>::from_entity_component_ref( +                &entity_handle +                    .get_matching_components(ComponentT::id()) +                    .next()?, +                world, +            ) +            .unwrap_or_else(|err| { +                panic!( +                    "Creating handle to component {} failed: {err}", +                    type_name::<ComponentT>() +                ); +            }), +        )      }  } diff --git a/ecs/src/relationship.rs b/ecs/src/relationship.rs deleted file mode 100644 index 45fa265..0000000 --- a/ecs/src/relationship.rs +++ /dev/null @@ -1,466 +0,0 @@ -use std::any::type_name; -use std::marker::PhantomData; - -use ecs_macros::Component; - -use crate::component::storage::Storage as ComponentStorage; -use crate::component::{ -    Component, -    FromLockedOptional as FromLockedOptionalComponent, -    Handle as ComponentHandle, -    HandleMut as ComponentHandleMut, -}; -use crate::lock::{Error as LockError, Lock, ReadGuard}; -use crate::uid::{Kind as UidKind, Uid}; -use crate::World; - -/// A relationship to one or more targets. -#[derive(Debug, Component)] -#[component( -    handle_type = Relation<'component, Kind, ComponentT>, -    handle_mut_type = RelationMut<'component, Kind, ComponentT>, -)] -pub struct Relationship<Kind, ComponentT: Component> -where -    Kind: 'static, -{ -    entity_uid: SingleOrMultiple<Uid>, -    _pd: PhantomData<(Kind, ComponentT)>, -} - -impl<Kind, ComponentT> Relationship<Kind, ComponentT> -where -    ComponentT: Component, -{ -    /// Creates a new `Relationship` with a single target. -    #[must_use] -    pub fn new(entity_uid: Uid) -> Self -    { -        debug_assert_eq!(entity_uid.kind(), UidKind::Entity); - -        Self { -            entity_uid: SingleOrMultiple::Single(entity_uid), -            _pd: PhantomData, -        } -    } - -    /// Creates a new `Relationship` with multiple targets. -    #[must_use] -    pub fn new_multiple(entity_uids: impl IntoIterator<Item = Uid>) -> Self -    { -        let uids = entity_uids.into_iter().collect::<Vec<_>>(); - -        for euid in &uids { -            debug_assert_eq!(euid.kind(), UidKind::Entity); -        } - -        Self { -            entity_uid: SingleOrMultiple::Multiple(uids), -            _pd: PhantomData, -        } -    } -} - -pub struct RelationMut<'rel_comp, Kind, ComponentT> -where -    Kind: 'static, -    ComponentT: Component, -{ -    component_storage_lock: ReadGuard<'rel_comp, ComponentStorage>, -    relationship_comp: ComponentHandleMut<'rel_comp, Relationship<Kind, ComponentT>>, -} - -impl<'rel_comp, Kind, ComponentT> FromLockedOptionalComponent<'rel_comp> -    for RelationMut<'rel_comp, Kind, ComponentT> -where -    ComponentT: Component, -{ -    fn from_locked_optional_component( -        optional_component: Option<&'rel_comp crate::lock::Lock<Box<dyn Component>>>, -        world: &'rel_comp World, -    ) -> Result<Self, LockError> -    { -        let relationship_comp_handle_from_locked_opt_comp = ComponentHandleMut::< -            Relationship<Kind, ComponentT>, -        >::from_locked_optional_component; - -        let relationship_comp = -            relationship_comp_handle_from_locked_opt_comp(optional_component, world)?; - -        let component_storage_lock = world -            .data -            .component_storage -            .read_nonblock() -            .expect("Failed to aquire read-only component storage lock"); - -        Ok(Self { -            relationship_comp, -            component_storage_lock, -        }) -    } -} - -impl<'rel_comp, Kind, ComponentT> FromLockedOptionalComponent<'rel_comp> -    for Option<RelationMut<'rel_comp, Kind, ComponentT>> -where -    ComponentT: Component, -{ -    fn from_locked_optional_component( -        optional_component: Option<&'rel_comp Lock<Box<dyn Component>>>, -        world: &'rel_comp World, -    ) -> Result<Self, crate::lock::Error> -    { -        optional_component -            .map(|component| { -                RelationMut::from_locked_optional_component(Some(component), world) -            }) -            .transpose() -    } -} - -impl<'rel_comp, Kind, ComponentT> RelationMut<'rel_comp, Kind, ComponentT> -where -    ComponentT: Component, -{ -    /// Returns the component of the target at the specified index. -    /// -    /// # Panics -    /// Will panic if the entity does not exist in the archetype it belongs to. This -    /// should hopefully never happend. -    #[must_use] -    pub fn get(&self, index: usize) -> Option<ComponentHandleMut<'_, ComponentT>> -    { -        let target = self.get_target(index)?; - -        let archetype = self.component_storage_lock.get_entity_archetype(*target)?; - -        let entity = archetype -            .get_entity_by_id(*target) -            .expect("Target entity is gone from archetype"); - -        let component_index = archetype.get_index_for_component(ComponentT::id())?; - -        let component = ComponentHandleMut::new( -            entity -                .components() -                .get(component_index)? -                .component() -                .write_nonblock() -                .unwrap_or_else(|_| { -                    panic!( -                        "Failed to aquire read-write lock of component {}", -                        type_name::<ComponentT>() -                    ) -                }), -        ); - -        Some(component) -    } - -    /// Returns a reference to the target at the specified index. -    #[must_use] -    pub fn get_target(&self, index: usize) -> Option<&Uid> -    { -        match &self.relationship_comp.entity_uid { -            SingleOrMultiple::Single(entity_uid) if index == 0 => Some(entity_uid), -            SingleOrMultiple::Multiple(entity_uids) => entity_uids.get(index), -            SingleOrMultiple::Single(_) => None, -        } -    } - -    /// Returns a mutable reference to the target at the specified index. -    #[must_use] -    pub fn get_target_mut(&mut self, index: usize) -> Option<&mut Uid> -    { -        match &mut self.relationship_comp.entity_uid { -            SingleOrMultiple::Single(entity_uid) if index == 0 => Some(entity_uid), -            SingleOrMultiple::Multiple(entity_uids) => entity_uids.get_mut(index), -            SingleOrMultiple::Single(_) => None, -        } -    } - -    /// Adds a target to the relationship. -    pub fn add_target(&mut self, entity_uid: Uid) -    { -        debug_assert_eq!(entity_uid.kind(), UidKind::Entity); - -        match &mut self.relationship_comp.entity_uid { -            SingleOrMultiple::Single(prev_entity_uid) => { -                self.relationship_comp.entity_uid = -                    SingleOrMultiple::Multiple(vec![*prev_entity_uid, entity_uid]); -            } -            SingleOrMultiple::Multiple(entity_uids) => entity_uids.push(entity_uid), -        } -    } - -    /// Removes a target to the relationship, returning it. -    pub fn remove_target(&mut self, index: usize) -> Option<Uid> -    { -        match &mut self.relationship_comp.entity_uid { -            SingleOrMultiple::Single(entity_uid) => { -                let prev_entity_uid = *entity_uid; - -                self.relationship_comp.entity_uid = -                    SingleOrMultiple::Multiple(Vec::new()); - -                Some(prev_entity_uid) -            } -            SingleOrMultiple::Multiple(entity_uids) => { -                if index >= entity_uids.len() { -                    return None; -                } - -                Some(entity_uids.remove(index)) -            } -        } -    } - -    #[must_use] -    pub fn target_count(&self) -> usize -    { -        match &self.relationship_comp.entity_uid { -            SingleOrMultiple::Single(_) => 1, -            SingleOrMultiple::Multiple(entity_uids) => entity_uids.len(), -        } -    } - -    /// Returns a iterator of the components of the targets of this relationship. -    #[must_use] -    pub fn iter(&self) -> TargetComponentIterMut<'_, 'rel_comp, Kind, ComponentT> -    { -        TargetComponentIterMut { relation: self, index: 0 } -    } -} - -impl<'relationship, 'rel_comp, Kind, ComponentT> IntoIterator -    for &'relationship RelationMut<'rel_comp, Kind, ComponentT> -where -    'relationship: 'rel_comp, -    ComponentT: Component, -{ -    type IntoIter = TargetComponentIterMut<'relationship, 'rel_comp, Kind, ComponentT>; -    type Item = ComponentHandleMut<'rel_comp, ComponentT>; - -    fn into_iter(self) -> Self::IntoIter -    { -        self.iter() -    } -} - -/// Iterator of the components of the targets of a relationship. -pub struct TargetComponentIterMut<'relationship, 'rel_comp, Kind, ComponentT> -where -    Kind: 'static, -    ComponentT: Component, -{ -    relation: &'relationship RelationMut<'rel_comp, Kind, ComponentT>, -    index: usize, -} - -impl<'relationship, 'rel_comp, Kind, ComponentT> Iterator -    for TargetComponentIterMut<'relationship, 'rel_comp, Kind, ComponentT> -where -    'relationship: 'rel_comp, -    Kind: 'static, -    ComponentT: Component, -{ -    type Item = ComponentHandleMut<'rel_comp, ComponentT>; - -    fn next(&mut self) -> Option<Self::Item> -    { -        let index = self.index; - -        self.index += 1; - -        self.relation.get(index) -    } -} - -#[derive(Debug)] -enum SingleOrMultiple<Value> -{ -    Single(Value), -    Multiple(Vec<Value>), -} - -pub struct Relation<'rel_comp, Kind, ComponentT> -where -    Kind: 'static, -    ComponentT: Component, -{ -    component_storage_lock: ReadGuard<'rel_comp, ComponentStorage>, -    relationship_comp: ComponentHandle<'rel_comp, Relationship<Kind, ComponentT>>, -} - -impl<'rel_comp, Kind, ComponentT> FromLockedOptionalComponent<'rel_comp> -    for Relation<'rel_comp, Kind, ComponentT> -where -    ComponentT: Component, -{ -    fn from_locked_optional_component( -        optional_component: Option<&'rel_comp Lock<Box<dyn Component>>>, -        world: &'rel_comp World, -    ) -> Result<Self, LockError> -    { -        let relationship_comp_handle_from_locked_opt_comp = ComponentHandle::< -            Relationship<Kind, ComponentT>, -        >::from_locked_optional_component; - -        let relationship_comp = -            relationship_comp_handle_from_locked_opt_comp(optional_component, world)?; - -        let component_storage_lock = world -            .data -            .component_storage -            .read_nonblock() -            .expect("Failed to aquire read-only component storage lock"); - -        Ok(Self { -            relationship_comp, -            component_storage_lock, -        }) -    } -} - -impl<'rel_comp, Kind, ComponentT> FromLockedOptionalComponent<'rel_comp> -    for Option<Relation<'rel_comp, Kind, ComponentT>> -where -    ComponentT: Component, -{ -    fn from_locked_optional_component( -        optional_component: Option<&'rel_comp Lock<Box<dyn Component>>>, -        world: &'rel_comp World, -    ) -> Result<Self, crate::lock::Error> -    { -        optional_component -            .map(|component| { -                Relation::from_locked_optional_component(Some(component), world) -            }) -            .transpose() -    } -} - -impl<'rel_comp, Kind, ComponentT> Relation<'rel_comp, Kind, ComponentT> -where -    ComponentT: Component, -{ -    /// Returns the component of the target at the specified index. -    /// -    /// # Panics -    /// Will panic if the entity does not exist in the archetype it belongs to. This -    /// should hopefully never happend. -    #[must_use] -    pub fn get(&self, index: usize) -> Option<ComponentHandle<'_, ComponentT>> -    { -        let target = self.get_target(index)?; - -        let archetype = self.component_storage_lock.get_entity_archetype(*target)?; - -        let entity = archetype -            .get_entity_by_id(*target) -            .expect("Target entity is gone from archetype"); - -        let component_index = archetype.get_index_for_component(ComponentT::id())?; - -        let component = ComponentHandle::new( -            entity -                .components() -                .get(component_index)? -                .component() -                .read_nonblock() -                .unwrap_or_else(|_| { -                    panic!( -                        "Failed to aquire read-write lock of component {}", -                        type_name::<ComponentT>() -                    ) -                }), -        ); - -        Some(component) -    } - -    /// Returns a reference to the target at the specified index. -    #[must_use] -    pub fn get_target(&self, index: usize) -> Option<&Uid> -    { -        match &self.relationship_comp.entity_uid { -            SingleOrMultiple::Single(entity_uid) if index == 0 => Some(entity_uid), -            SingleOrMultiple::Multiple(entity_uids) => entity_uids.get(index), -            SingleOrMultiple::Single(_) => None, -        } -    } - -    #[must_use] -    pub fn target_count(&self) -> usize -    { -        match &self.relationship_comp.entity_uid { -            SingleOrMultiple::Single(_) => 1, -            SingleOrMultiple::Multiple(entity_uids) => entity_uids.len(), -        } -    } - -    pub fn target_uids(&self) -> impl Iterator<Item = Uid> + '_ -    { -        (0..self.target_count()) -            .map_while(|target_index| self.get_target(target_index).copied()) -    } - -    /// Returns a iterator of the components of the targets of this relationship. -    #[must_use] -    pub fn iter(&self) -> TargetComponentIter<'_, 'rel_comp, Kind, ComponentT> -    { -        TargetComponentIter { relation: self, index: 0 } -    } -} - -impl<'relationship, 'rel_comp, Kind, ComponentT> IntoIterator -    for &'relationship Relation<'rel_comp, Kind, ComponentT> -where -    'relationship: 'rel_comp, -    ComponentT: Component, -{ -    type IntoIter = TargetComponentIter<'relationship, 'rel_comp, Kind, ComponentT>; -    type Item = ComponentHandle<'rel_comp, ComponentT>; - -    fn into_iter(self) -> Self::IntoIter -    { -        self.iter() -    } -} - -/// Iterator of the components of the targets of a relationship. -pub struct TargetComponentIter<'relationship, 'rel_comp, Kind, ComponentT> -where -    Kind: 'static, -    ComponentT: Component, -{ -    relation: &'relationship Relation<'rel_comp, Kind, ComponentT>, -    index: usize, -} - -impl<'relationship, 'rel_comp, Kind, ComponentT> Iterator -    for TargetComponentIter<'relationship, 'rel_comp, Kind, ComponentT> -where -    'relationship: 'rel_comp, -    Kind: 'static, -    ComponentT: Component, -{ -    type Item = ComponentHandle<'rel_comp, ComponentT>; - -    fn next(&mut self) -> Option<Self::Item> -    { -        let index = self.index; - -        self.index += 1; - -        self.relation.get(index) -    } -} - -/// Relationship kind denoting a dependency to another entity -#[derive(Debug, Default, Clone, Copy)] -pub struct DependsOn; - -/// Relationship kind denoting being the child of another entity. -#[derive(Debug, Default, Clone, Copy)] -pub struct ChildOf; diff --git a/ecs/src/sole.rs b/ecs/src/sole.rs index 5af5ce3..7cfcc24 100644 --- a/ecs/src/sole.rs +++ b/ecs/src/sole.rs @@ -5,12 +5,11 @@ use std::ops::{Deref, DerefMut};  use std::sync::{Arc, Weak};  use crate::lock::{Lock, WriteGuard}; -use crate::system::{Param as SystemParam, System}; -use crate::type_name::TypeName; +use crate::system::{Metadata as SystemMetadata, Param as SystemParam};  use crate::World;  /// A type which has a single instance and is shared globally. -pub trait Sole: Any + TypeName +pub trait Sole: Any  {      fn drop_last(&self) -> bool; @@ -40,14 +39,6 @@ impl Debug for dyn Sole      }  } -impl TypeName for Box<dyn Sole> -{ -    fn type_name(&self) -> &'static str -    { -        self.as_ref().type_name() -    } -} -  /// Holds a reference to a globally shared singleton value.  #[derive(Debug)]  pub struct Single<'world, SoleT: Sole> @@ -73,7 +64,7 @@ where          }      } -    fn new(sole: &'world Arc<Lock<Box<dyn Sole>>>) -> Self +    pub(crate) fn new(sole: &'world Arc<Lock<Box<dyn Sole>>>) -> Self      {          Self {              sole: sole.write_nonblock().unwrap_or_else(|_| { @@ -94,17 +85,7 @@ where  {      type Input = (); -    fn initialize<SystemImpl>( -        _system: &mut impl System<'world, SystemImpl>, -        _input: Self::Input, -    ) -    { -    } - -    fn new<SystemImpl>( -        _system: &'world impl System<'world, SystemImpl>, -        world: &'world World, -    ) -> Self +    fn new(world: &'world World, _system_metadata: &SystemMetadata) -> Self      {          let sole = world.data.sole_storage.get::<SoleT>().unwrap_or_else(|| {              panic!("Sole {} was not found in world", type_name::<SoleT>()) diff --git a/ecs/src/system.rs b/ecs/src/system.rs index 603c015..95ab7a8 100644 --- a/ecs/src/system.rs +++ b/ecs/src/system.rs @@ -1,37 +1,28 @@ -use std::any::Any; -use std::convert::Infallible;  use std::fmt::Debug;  use ecs_macros::Component;  use seq_macro::seq; -use crate::component::{Component, HandleMut as ComponentHandleMut}; -use crate::tuple::{ReduceElement as TupleReduceElement, Tuple}; +use crate::uid::Uid;  use crate::World; +pub mod initializable; +pub mod observer;  pub mod stateful; -pub trait System<'world, Impl>: 'static +/// Metadata of a system. +#[derive(Debug)] +#[non_exhaustive] +pub struct Metadata  { -    type Input; - -    #[must_use] -    fn initialize(self, input: Self::Input) -> Self; - -    fn run<'this>(&'this self, world: &'world World) -    where -        'this: 'world; - -    fn into_type_erased(self) -> TypeErased; +    pub ent_id: Uid, +} -    fn get_local_component_mut<LocalComponent: Component>( -        &self, -    ) -> Option<ComponentHandleMut<LocalComponent>>; +pub trait System<'world, Impl>: 'static +{ +    type Callbacks: Callbacks; -    fn set_local_component<LocalComponent: Component>( -        &mut self, -        local_component: LocalComponent, -    ); +    fn finish(self) -> (TypeErased, Self::Callbacks);  }  macro_rules! impl_system { @@ -43,58 +34,23 @@ macro_rules! impl_system {                  Func: Fn(#(TParam~I,)*) + Copy + 'static,                  #(TParam~I: Param<'world, Input = ()>,)*              { -                type Input = Infallible; - -                fn initialize(self, _input: Self::Input) -> Self -                { -                    self -                } +                type Callbacks = NoCallbacks; -                fn run<'this>(&'this self, world: &'world World) -                where -                    'this: 'world +                fn finish(self) -> (TypeErased, Self::Callbacks)                  { -                    let func = *self; - -                    func(#({ -                        TParam~I::new(self, world) -                    },)*); -                } - -                fn into_type_erased(self) -> TypeErased -                { -                    TypeErased { -                        data: Box::new(self), -                        run: Box::new(|data, world| { -                            // SAFETY: The caller of TypeErased::run ensures the lifetime -                            // is correct -                            let data = unsafe { &*std::ptr::from_ref(data) }; - -                            let me = data -                                .downcast_ref::<Func>() -                                .expect("Function downcast failed"); - +                    let type_erased = TypeErased { +                        run: Box::new(move |world, metadata| {                              // SAFETY: The caller of TypeErased::run ensures the lifetime                              // is correct                              let world = unsafe { &*std::ptr::from_ref(world) }; -                            me.run(world); +                            self(#({ +                                TParam~I::new(world, &metadata) +                            },)*);                          }), -                    } -                } +                    }; -                fn get_local_component_mut<LocalComponent: Component>( -                    &self, -                ) -> Option<ComponentHandleMut<LocalComponent>> -                { -                    panic!("System does not have any local components"); -                } - -                fn set_local_component<LocalComponent: Component>( -                    &mut self, -                    _local_component: LocalComponent, -                ) { -                    panic!("System does not have any local components"); +                    (type_erased, NoCallbacks)                  }              }          }); @@ -105,7 +61,7 @@ seq!(C in 1..16 {      impl_system!(C);  }); -pub trait Into<Impl> +pub trait Into<'world, Impl>  {      type System; @@ -114,7 +70,6 @@ pub trait Into<Impl>  pub struct TypeErased  { -    data: Box<dyn Any>,      run: Box<TypeErasedRunFn>,  } @@ -124,12 +79,9 @@ impl TypeErased      ///      /// # Safety      /// `world_data` must live at least as long as the [`World`] the system belongs to. -    pub unsafe fn run(&self, world: &World) +    pub unsafe fn run(&self, world: &World, metadata: Metadata)      { -        // You have to dereference for downcasting to work for some reason -        let data = &*self.data; - -        (self.run)(data, world); +        (self.run)(world, metadata);      }  } @@ -142,41 +94,29 @@ impl Debug for TypeErased  }  /// Function in [`TypeErased`] used to run the system. -type TypeErasedRunFn = dyn Fn(&dyn Any, &World); +type TypeErasedRunFn = dyn Fn(&World, Metadata);  /// A parameter to a [`System`].  pub trait Param<'world>  {      type Input; -    fn initialize<SystemImpl>( -        system: &mut impl System<'world, SystemImpl>, -        input: Self::Input, -    ); - -    fn new<SystemImpl>( -        system: &'world impl System<'world, SystemImpl>, -        world: &'world World, -    ) -> Self; +    fn new(world: &'world World, system_metadata: &Metadata) -> Self;  }  /// A type which can be used as input to a [`System`].  pub trait Input: 'static {} -/// Component tuple reducing operation to get the parameters that takes input. -pub struct ParamWithInputFilter; - -impl<InputT: Input, Accumulator> TupleReduceElement<Accumulator, ParamWithInputFilter> -    for InputT -where -    Accumulator: Tuple, +pub trait Callbacks  { -    type Return = Accumulator::WithElementAtEnd<Self>; +    fn on_created(&mut self, world: &mut World, metadata: Metadata);  } -impl<Accumulator> TupleReduceElement<Accumulator, ParamWithInputFilter> for () +pub struct NoCallbacks; + +impl Callbacks for NoCallbacks  { -    type Return = Accumulator; +    fn on_created(&mut self, _world: &mut World, _metadata: Metadata) {}  }  #[derive(Debug, Component)] diff --git a/ecs/src/system/initializable.rs b/ecs/src/system/initializable.rs new file mode 100644 index 0000000..b6ec8e8 --- /dev/null +++ b/ecs/src/system/initializable.rs @@ -0,0 +1,131 @@ +use std::marker::PhantomData; + +use seq_macro::seq; + +use crate::system::{Input, Param as SystemParam, System}; +use crate::tuple::{Reduce as TupleReduce, ReduceElement as TupleReduceElement, Tuple}; + +/// A initializable system. +pub trait Initializable<'world, Impl>: System<'world, Impl> +{ +    type Inputs; + +    #[must_use] +    fn initialize(self, inputs: Self::Inputs) -> Self; +} + +pub trait Param<'world, SystemT>: SystemParam<'world> +{ +    fn initialize(system: &mut SystemT, input: Self::Input); +} + +pub struct ParamTupleFilter<'world, SystemT> +{ +    _pd: PhantomData<(&'world (), SystemT)>, +} + +impl<'world, SystemT, ParamT, Accumulator> +    TupleReduceElement<Accumulator, ParamTupleFilter<'world, SystemT>> for ParamT +where +    ParamT: SystemParam< +        'world, +        Input: AppendInitializableParam<'world, Accumulator, ParamT, SystemT>, +    >, +    Accumulator: Tuple, +{ +    type Return = <ParamT::Input as AppendInitializableParam< +        'world, +        Accumulator, +        ParamT, +        SystemT, +    >>::Return; +} + +pub trait AppendInitializableParam<'world, Accumulator, ParamT, SystemT> +{ +    type Return; +} + +impl<'world, InputT, ParamT, Accumulator, SystemT> +    AppendInitializableParam<'world, Accumulator, ParamT, SystemT> for InputT +where +    InputT: Input, +    Accumulator: Tuple, +    ParamT: Param<'world, SystemT>, +{ +    type Return = Accumulator::WithElementAtEnd<ParamT>; +} + +impl<ParamT, Accumulator, SystemT> +    AppendInitializableParam<'_, Accumulator, ParamT, SystemT> for () +where +    Accumulator: Tuple, +{ +    type Return = Accumulator; +} + +pub trait ParamTuple<'world, SystemT> +{ +    type Inputs; + +    fn initialize_all(system: &mut SystemT, inputs: Self::Inputs); +} + +macro_rules! impl_initializable_param_tuple { +    ($c: tt) => { +        seq!(I in 0..$c { +            impl<'world, SystemT, #(Param~I,)*> ParamTuple<'world, SystemT> +                for (#(Param~I,)*) +            where +                #(Param~I: Param<'world, SystemT>,)* +            { +                type Inputs = (#(Param~I::Input,)*); + +                fn initialize_all( +                    system: &mut SystemT, +                    inputs: Self::Inputs, +                ) { +                    #( +                        <Param~I as Param<'world, SystemT>>::initialize( +                            system, +                            inputs.I +                        ); +                    )* +                } +            } +        }); +    }; +} + +seq!(C in 1..16 { +    impl_initializable_param_tuple!(C); +}); + +impl<SystemT> ParamTuple<'_, SystemT> for () +{ +    type Inputs = (); + +    fn initialize_all(_system: &mut SystemT, _inputs: Self::Inputs) {} +} + +/// A tuple of system parameters that may or may not be initializable. +pub trait MaybeInitializableParamTuple<'world, SystemT> +{ +    /// A tuple of the inputs of the initializable system parameters in this tuple. +    type Inputs; + +    fn init_initializable(system: &mut SystemT, inputs: Self::Inputs); +} + +impl<'world, SystemT, Params> MaybeInitializableParamTuple<'world, SystemT> for Params +where +    Params: +        TupleReduce<ParamTupleFilter<'world, SystemT>, Out: ParamTuple<'world, SystemT>>, +{ +    type Inputs = <Params::Out as ParamTuple<'world, SystemT>>::Inputs; + +    fn init_initializable(system: &mut SystemT, inputs: Self::Inputs) +    { +        Params::Out::initialize_all(system, inputs); +    } +} diff --git a/ecs/src/system/observer.rs b/ecs/src/system/observer.rs new file mode 100644 index 0000000..236420c --- /dev/null +++ b/ecs/src/system/observer.rs @@ -0,0 +1,310 @@ +use std::fmt::Debug; +use std::marker::PhantomData; +use std::mem::transmute; +use std::slice::Iter as SliceIter; + +use ecs_macros::Component; +use seq_macro::seq; + +use crate::component::Component; +use crate::entity::Handle as EntityHandle; +use crate::event::Emitted as EmittedEvent; +use crate::pair::Pair; +use crate::system::{ +    Metadata, +    NoCallbacks, +    Param, +    System, +    TypeErased as TypeErasedSystem, +}; +use crate::uid::Uid; +use crate::util::Array; +use crate::World; + +pub trait Observed +{ +    type Events: Array<Pair<Uid, Uid>>; + +    fn events() -> Self::Events; +} + +impl<Relation, Target> Observed for Pair<Relation, Target> +where +    Relation: Component, +    Target: Component, +{ +    type Events = [Pair<Uid, Uid>; 1]; + +    fn events() -> Self::Events +    { +        [Pair::builder() +            .relation::<Relation>() +            .target::<Target>() +            .build()] +    } +} + +/// Observer system. +pub trait Observer<'world, Impl>: System<'world, Impl> +{ +    type ObservedEvents: Array<Pair<Uid, Uid>>; + +    fn observed_events() -> Self::ObservedEvents; + +    fn finish_observer(self) -> (WrapperComponent, Self::Callbacks); +} + +pub struct Observe<'world, ObservedT: Observed> +{ +    _pd: PhantomData<ObservedT>, +    world: &'world World, +    emitted_event: EmittedEvent<'world>, +} + +impl<'world, ObservedT: Observed> Observe<'world, ObservedT> +{ +    pub fn new(world: &'world World, emitted_event: EmittedEvent<'world>) -> Self +    { +        Self { +            _pd: PhantomData, +            world, +            emitted_event, +        } +    } + +    #[must_use] +    pub fn event(&self) -> Uid +    { +        self.emitted_event.event +    } +} + +impl<ObservedT: Observed> Observe<'_, ObservedT> +{ +    #[must_use] +    pub fn iter(&self) -> ObserveIter<'_, ObservedT> +    { +        ObserveIter { +            world: self.world, +            inner: self.emitted_event.match_ids.iter(), +            _pd: PhantomData, +        } +    } +} + +impl<'a, ObservedT: Observed> IntoIterator for &'a Observe<'_, ObservedT> +{ +    type IntoIter = ObserveIter<'a, ObservedT>; +    type Item = <Self::IntoIter as Iterator>::Item; + +    fn into_iter(self) -> Self::IntoIter +    { +        self.iter() +    } +} + +pub struct ObserveIter<'observe, ObservedT: Observed> +{ +    world: &'observe World, +    inner: SliceIter<'observe, Uid>, +    _pd: PhantomData<ObservedT>, +} + +impl<'observe, ObservedT: Observed> Iterator for ObserveIter<'observe, ObservedT> +{ +    type Item = EventMatch<'observe, ObservedT>; + +    fn next(&mut self) -> Option<Self::Item> +    { +        let match_id = *self.inner.next()?; + +        Some(EventMatch { +            world: self.world, +            id: match_id, +            _pd: PhantomData, +        }) +    } +} + +/// A event match. +#[derive(Debug)] +pub struct EventMatch<'world, ObservedT: Observed> +{ +    world: &'world World, +    id: Uid, +    _pd: PhantomData<ObservedT>, +} + +impl<'world, ObservedT: Observed> EventMatch<'world, ObservedT> +{ +    #[must_use] +    pub fn id(&self) -> Uid +    { +        self.id +    } + +    /// Attempts to get the entity with the id of this match. +    #[must_use] +    pub fn get_entity(&self) -> Option<EntityHandle<'world>> +    { +        self.world.get_entity(self.id) +    } +} + +macro_rules! impl_observer { +    ($c: tt) => { +        seq!(I in 0..$c { +            impl<'world, ObservedT, Func, #(TParam~I,)*> System< +                'world, +                fn(Observe<'world, ObservedT>, #(TParam~I,)*) +            > for Func +            where +                ObservedT: Observed, +                Func: Fn(Observe<'world, ObservedT>, #(TParam~I,)*) + Copy + 'static, +                #(TParam~I: Param<'world, Input = ()>,)* +            { +                type Callbacks = NoCallbacks; + +                fn finish(self) -> (TypeErasedSystem, NoCallbacks) +                { +                    unimplemented!(); +                } +            } + +            impl<'world, ObservedT, Func, #(TParam~I,)*> Observer< +                'world, +                fn(Observe<'world, ObservedT>, #(TParam~I,)*) +            > for Func +            where +                ObservedT: Observed, +                Func: Fn(Observe<'world, ObservedT>, #(TParam~I,)*) + Copy + 'static, +                #(TParam~I: Param<'world, Input = ()>,)* +            { +                type ObservedEvents = ObservedT::Events; + +                fn observed_events() -> Self::ObservedEvents +                { +                    ObservedT::events() +                } + +                fn finish_observer(self) -> (WrapperComponent, NoCallbacks) +                { +                    let wrapper_comp = WrapperComponent { +                        run: Box::new(move |world, metadata, emitted_event| { +                            // SAFETY: The caller of TypeErased::run ensures the lifetime +                            // is correct +                            let world = unsafe { &*std::ptr::from_ref(world) }; + +                            // SAFETY: The caller of TypeErased::run ensures the lifetime +                            // is correct +                            let emitted_event = unsafe { +                                transmute::<EmittedEvent<'_>, EmittedEvent<'_>>( +                                    emitted_event +                                ) +                            }; + +                            self(Observe::new(world, emitted_event), #({ +                                TParam~I::new(world, &metadata) +                            },)*); +                        }), +                    }; + +                    (wrapper_comp, NoCallbacks) +                } +            } +        }); +    }; +} + +seq!(C in 1..16 { +    impl_observer!(C); +}); + +impl<'world, ObservedT, Func> System<'world, fn(Observe<'world, ObservedT>)> for Func +where +    ObservedT: Observed, +    Func: Fn(Observe<'world, ObservedT>) + Copy + 'static, +{ +    type Callbacks = NoCallbacks; + +    fn finish(self) -> (TypeErasedSystem, NoCallbacks) +    { +        const { +            panic!("Observers cannot be used as regular systems"); +        } +    } +} + +impl<'world, ObservedT, Func> Observer<'world, fn(Observe<'world, ObservedT>)> for Func +where +    ObservedT: Observed, +    Func: Fn(Observe<'world, ObservedT>) + Copy + 'static, +{ +    type ObservedEvents = ObservedT::Events; + +    fn observed_events() -> Self::ObservedEvents +    { +        ObservedT::events() +    } + +    fn finish_observer(self) -> (WrapperComponent, NoCallbacks) +    { +        let wrapper_comp = WrapperComponent { +            run: Box::new(move |world, _metadata, emitted_event| { +                // SAFETY: The caller of TypeErased::run ensures the lifetime +                // is correct +                let world = unsafe { &*std::ptr::from_ref(world) }; + +                // SAFETY: The caller of TypeErased::run ensures the lifetime +                // is correct +                let emitted_event = unsafe { +                    transmute::<EmittedEvent<'_>, EmittedEvent<'_>>(emitted_event) +                }; + +                self(Observe::new(world, emitted_event)); +            }), +        }; + +        (wrapper_comp, NoCallbacks) +    } +} + +#[derive(Component)] +pub struct WrapperComponent +{ +    run: Box<RunFn>, +} + +impl WrapperComponent +{ +    pub fn new(run: impl Fn(&World, Metadata, EmittedEvent<'_>) + 'static) -> Self +    { +        Self { run: Box::new(run) } +    } + +    /// Runs the observer system. +    /// +    /// # Safety +    /// `world` must live at least as long as the [`World`] the system belongs to. +    pub unsafe fn run( +        &self, +        world: &World, +        metadata: Metadata, +        emitted_event: EmittedEvent<'_>, +    ) +    { +        (self.run)(world, metadata, emitted_event); +    } +} + +impl Debug for WrapperComponent +{ +    fn fmt(&self, formatter: &mut std::fmt::Formatter<'_>) -> std::fmt::Result +    { +        formatter +            .debug_struct("WrapperComponent") +            .finish_non_exhaustive() +    } +} + +type RunFn = dyn Fn(&World, Metadata, EmittedEvent<'_>); diff --git a/ecs/src/system/stateful.rs b/ecs/src/system/stateful.rs index 9d911ee..e74ef31 100644 --- a/ecs/src/system/stateful.rs +++ b/ecs/src/system/stateful.rs @@ -1,149 +1,243 @@ -use std::any::{Any, TypeId}; +use std::mem::transmute;  use std::panic::{RefUnwindSafe, UnwindSafe}; -use hashbrown::HashMap;  use seq_macro::seq; -use crate::component::{Component, HandleMut as ComponentHandleMut}; -use crate::lock::Lock; -use crate::system::{ -    Into as IntoSystem, -    Param, -    ParamWithInputFilter, -    System, -    TypeErased, +use crate::component::local::SystemWithLocalComponents; +use crate::component::Parts as ComponentParts; +use crate::event::Emitted as EmittedEvent; +use crate::system::initializable::{Initializable, MaybeInitializableParamTuple}; +use crate::system::observer::{ +    Observe, +    Observed, +    Observer, +    WrapperComponent as ObserverWrapperComponent,  }; -use crate::tuple::{ -    Reduce as TupleReduce, -    Tuple, -    WithAllElemLtStatic as TupleWithAllElemLtStatic, -}; -use crate::uid::Uid; +use crate::system::{Into as IntoSystem, Metadata, Param, System, TypeErased};  use crate::World;  /// A stateful system.  pub struct Stateful<Func>  {      func: Func, -    local_components: HashMap<Uid, Lock<Box<dyn Component>>>, +    local_components: Vec<ComponentParts>,  }  macro_rules! impl_system {      ($c: tt) => {          seq!(I in 0..$c { -            impl<'world, Func, #(TParam~I,)*> System<'world, fn(&'world (), #(TParam~I,)*)> -                for Stateful<Func> +            impl<'world, Func, #(TParam~I,)*> +                System<'world, fn(&'world (), #(TParam~I,)*)> for Stateful<Func>              where                  Func: Fn(#(TParam~I,)*) + Copy + RefUnwindSafe + UnwindSafe + 'static, -                #(TParam~I: Param<'world>,)* -                #(TParam~I::Input: 'static,)* -                (#(TParam~I::Input,)*): TupleReduce< -                    ParamWithInputFilter, -                    Out: Tuple<InOptions: TupleWithAllElemLtStatic> -                >, +                #(TParam~I: Param<'world, Input: 'static>,)*              { -                type Input = -                    <(#(TParam~I::Input,)*) as TupleReduce<ParamWithInputFilter>>::Out; +                type Callbacks = Callbacks; -                fn initialize(mut self, input: Self::Input) -> Self +                fn finish(self) -> (TypeErased, Self::Callbacks)                  { -                    let mut option_input = input.into_in_options(); - -                    let mut index = 0; - -                    #( -                        if TypeId::of::<TParam~I::Input>() != -                            TypeId::of::<()>() -                        { -                            let input = option_input -                                .get_mut::<Option<TParam~I::Input>>(index) -                                .expect("Input element index out of range") -                                .take() -                                .expect("Input element is already taken"); - -                            TParam~I::initialize( -                                &mut self, -                                input -                            ); - -                            #[allow(unused_assignments)] -                            { -                                index += 1; -                            } -                        } -                    )* +                    let Self { func, local_components } = self; -                    self +                    let callbacks = Callbacks { local_components }; + +                    let type_erased = TypeErased { +                        run: Box::new(move |world, metadata| { +                            // SAFETY: The caller of TypeErased::run ensures the lifetime +                            // is correct +                            let world = unsafe { &*std::ptr::from_ref(world) }; + +                            func(#({ +                                TParam~I::new(&world, &metadata) +                            },)*); +                        }), +                    }; + + +                    (type_erased, callbacks)                  } +            } -                fn run<'this>(&'this self, world: &'world World) -                where -                    'this: 'world +            impl<'world, Func, #(TParam~I,)*> +                Initializable<'world, fn(&'world (), #(TParam~I,)*)> for Stateful<Func> +            where +                Func: Fn(#(TParam~I,)*) + Copy + RefUnwindSafe + UnwindSafe + 'static, +                #(TParam~I: Param<'world, Input: 'static>,)* +                (#(TParam~I,)*): MaybeInitializableParamTuple<'world, Self> +            { +                type Inputs = < +                    (#(TParam~I,)*) as MaybeInitializableParamTuple<'world, Self> +                >::Inputs; + +                fn initialize(mut self, inputs: Self::Inputs) -> Self                  { -                    let func = self.func; +                    init_initializable_params::<_, (#(TParam~I,)*)>(&mut self, inputs); -                    func(#({ -                        TParam~I::new(self, &world) -                    },)*); +                    self                  } +            } -                fn into_type_erased(self) -> TypeErased +            impl<'world, Func, #(TParam~I,)*> IntoSystem<'world, fn(#(TParam~I,)*)> +                for Func +            where +                #(TParam~I: Param<'world>,)* +                Func: Fn(#(TParam~I,)*) + Copy + 'static, +            { +                type System = Stateful<Func>; + +                fn into_system(self) -> Self::System                  { -                    TypeErased { -                        data: Box::new(self), -                        run: Box::new(|data, world| { -                            // SAFETY: The caller of TypeErased::run ensures the lifetime -                            // is correct -                            let data = unsafe { &*std::ptr::from_ref::<dyn Any>(data) }; +                    Self::System { +                        func: self, +                        local_components: Vec::new(), // TODO: Use Vec::with_capacity +                    } +                } +            } +        }); +    }; +} -                            let me = data.downcast_ref::<Self>().unwrap(); +seq!(C in 1..16 { +    impl_system!(C); +}); -                            // SAFETY: The caller of TypeErased::run ensures the lifetime -                            // is correct -                            let world = unsafe { &*std::ptr::from_ref(world) }; +impl<Func> SystemWithLocalComponents for Stateful<Func> +{ +    fn add_local_component(&mut self, component_parts: ComponentParts) +    { +        self.local_components.push(component_parts); +    } +} -                            me.run(world); -                        }), -                    } +#[derive(Debug)] +pub struct Callbacks +{ +    local_components: Vec<ComponentParts>, +} + +impl crate::system::Callbacks for Callbacks +{ +    fn on_created(&mut self, world: &mut World, metadata: Metadata) +    { +        for local_comp_parts in self.local_components.drain(..) { +            world.add_component(metadata.ent_id, local_comp_parts); +        } +    } +} + +fn init_initializable_params<'world, SystemT, Params>( +    system: &mut SystemT, +    inputs: Params::Inputs, +) where +    Params: MaybeInitializableParamTuple<'world, SystemT>, +{ +    Params::init_initializable(system, inputs); +} + +macro_rules! impl_observer { +    ($c: tt) => { +        seq!(I in 0..$c { +            impl<'world, ObservedT, Func, #(TParam~I,)*> System< +                'world, +                fn(Observe<'world, ObservedT>, #(TParam~I,)*) +            > for Stateful<Func> +            where +                ObservedT: Observed, +                Func: Fn(Observe<'world, ObservedT>, #(TParam~I,)*) + Copy + 'static, +                #(TParam~I: Param<'world>,)* +            { +                type Callbacks = Callbacks; + +                fn finish(self) -> (TypeErased, Callbacks) +                { +                    unimplemented!();                  } +            } -                fn get_local_component_mut<LocalComponent: Component>( -                    &self, -                ) -> Option<ComponentHandleMut<LocalComponent>> +            impl<'world, ObservedT, Func, #(TParam~I,)*> Initializable< +                'world, +                fn(Observe<'world, ObservedT>, #(TParam~I,)*) +            > for Stateful<Func> +            where +                ObservedT: Observed, +                Func: Fn(Observe<'world, ObservedT>, #(TParam~I,)*) + Copy + 'static, +                #(TParam~I: Param<'world>,)* +                (#(TParam~I,)*): MaybeInitializableParamTuple<'world, Self> +            { +                type Inputs = < +                    (#(TParam~I,)*) as MaybeInitializableParamTuple<'world, Self> +                >::Inputs; + +                fn initialize(mut self, inputs: Self::Inputs) -> Self                  { -                    let local_component = self.local_components -                        .get(&LocalComponent::id())? -                        .write_nonblock() -                        .expect("Failed to aquire read-write local component lock"); +                    init_initializable_params::<_, (#(TParam~I,)*)>(&mut self, inputs); -                    Some(ComponentHandleMut::new(local_component)) +                    self                  } +            } + +            impl<'world, ObservedT, Func, #(TParam~I,)*> Observer< +                'world, +                fn(Observe<'world, ObservedT>, #(TParam~I,)*) +            > for Stateful<Func> +            where +                ObservedT: Observed, +                Func: Fn(Observe<'world, ObservedT>, #(TParam~I,)*) + Copy + 'static, +                #(TParam~I: Param<'world>,)* +            { +                type ObservedEvents = ObservedT::Events; -                fn set_local_component<LocalComponent: Component>( -                    &mut self, -                    local_component: LocalComponent, -                ) +                fn observed_events() -> Self::ObservedEvents                  { -                    self.local_components -                        .insert( -                            LocalComponent::id(), -                            Lock::new(Box::new(local_component)) -                        ); +                    ObservedT::events() +                } + +                fn finish_observer(self) -> (ObserverWrapperComponent, Callbacks) +                { +                    let Self { func, local_components } = self; + +                    let callbacks = Callbacks { local_components }; + +                    let wrapper_comp = ObserverWrapperComponent::new( +                        move |world, metadata, emitted_event| { +                            // SAFETY: The caller of TypeErased::run ensures the lifetime +                            // is correct +                            let world = unsafe { &*std::ptr::from_ref(world) }; + +                            // SAFETY: The caller of TypeErased::run ensures the lifetime +                            // is correct +                            let emitted_event = unsafe { +                                transmute::<EmittedEvent<'_>, EmittedEvent<'_>>( +                                    emitted_event +                                ) +                            }; + +                            func(Observe::new(world, emitted_event), #({ +                                TParam~I::new(world, &metadata) +                            },)*); +                        }, +                    ); + +                    (wrapper_comp, callbacks)                  }              } -            impl<Func, #(TParam~I,)*> IntoSystem<fn(#(TParam~I,)*)> -                for Func +            impl<'world, Func, ObservedT, #(TParam~I,)*> IntoSystem< +                'world, +                fn(Observe<'world, ObservedT>, +                #(TParam~I,)*) +            > for Func              where -                Func: Fn(#(TParam~I,)*) + Copy + 'static, +                ObservedT: Observed, +                #(TParam~I: Param<'world>,)* +                Func: Fn(Observe<'world, ObservedT>, #(TParam~I,)*) + Copy + 'static,              {                  type System = Stateful<Func>; -                fn into_system(self) -> Self::System +                fn into_system(self) -> Stateful<Func>                  { -                    Self::System { +                    Stateful {                          func: self, -                        local_components: HashMap::new(), +                        local_components: Vec::new(), // TODO: Use Vec::with_capacity                      }                  }              } @@ -152,5 +246,5 @@ macro_rules! impl_system {  }  seq!(C in 1..16 { -    impl_system!(C); +    impl_observer!(C);  }); diff --git a/ecs/src/type_name.rs b/ecs/src/type_name.rs deleted file mode 100644 index 54179be..0000000 --- a/ecs/src/type_name.rs +++ /dev/null @@ -1,15 +0,0 @@ -use std::any::type_name; - -pub trait TypeName -{ -    /// Returns the name of this type. -    fn type_name(&self) -> &'static str; -} - -impl<Item> TypeName for Vec<Item> -{ -    fn type_name(&self) -> &'static str -    { -        type_name::<Self>() -    } -} diff --git a/ecs/src/uid.rs b/ecs/src/uid.rs index c3ed85b..bb393a1 100644 --- a/ecs/src/uid.rs +++ b/ecs/src/uid.rs @@ -1,23 +1,30 @@ -use std::fmt::{Debug, Formatter}; +use std::fmt::{Debug, Display, Formatter};  use std::mem::transmute;  use std::sync::atomic::{AtomicU32, Ordering}; -use crate::util::{gen_mask_64, BitMask, NumberExt}; +use seq_macro::seq; -static NEXT: AtomicU32 = AtomicU32::new(1); +use crate::component::Component; +use crate::util::{gen_mask_64, Array, BitMask, NumberExt}; + +static NEXT: AtomicU32 = AtomicU32::new(Uid::FIRST_UNIQUE_ID); + +static WILDCARD_ID: u32 = 1;  const ID_BITS: BitMask<u64> = BitMask::new(gen_mask_64!(32..=63)); +const RELATION_BITS: BitMask<u64> = BitMask::new(gen_mask_64!(6..=31));  const KIND_BITS: BitMask<u64> = BitMask::new(gen_mask_64!(0..=1));  #[derive(Debug, Clone, Copy, Hash, PartialEq, Eq, PartialOrd, Ord)]  #[repr(u8)]  pub enum Kind  { +    Pair = 3,      Entity = 2,      Component = 1,  } -/// Unique entity/component ID. +/// A unique identifier.  #[derive(Clone, Copy, Hash, PartialEq, Eq, PartialOrd, Ord)]  pub struct Uid  { @@ -26,6 +33,10 @@ pub struct Uid  impl Uid  { +    /// The id part of the first unique `Uid`. The ids `0..Uid::FIRST_UNIQUE_ID` are +    /// reserved. +    pub const FIRST_UNIQUE_ID: u32 = 5; +      /// Returns a new unique entity/component ID.      pub fn new_unique(kind: Kind) -> Self      { @@ -37,6 +48,41 @@ impl Uid      }      #[must_use] +    pub fn wildcard() -> Self +    { +        Self { +            inner: ID_BITS.field_prep(u64::from(WILDCARD_ID)) +                | KIND_BITS.field_prep(Kind::Component as u64), +        } +    } + +    /// Returns a new pair UID. +    /// +    /// # Panics +    /// Will panic if either the given relation or target is a pair UID. +    #[must_use] +    pub fn new_pair(params: &PairParams) -> Self +    { +        assert_ne!( +            params.relation.kind(), +            Kind::Pair, +            "Pair relation cannot be a pair" +        ); + +        assert_ne!( +            params.target.kind(), +            Kind::Pair, +            "Pair target cannot be a pair" +        ); + +        Self { +            inner: ID_BITS.field_prep(u64::from(params.target.id())) +                | RELATION_BITS.field_prep(u64::from(params.relation.id())) +                | KIND_BITS.field_prep(Kind::Pair as u64), +        } +    } + +    #[must_use]      pub fn id(&self) -> u32      {          let Ok(id) = u32::try_from(self.inner.field_get(ID_BITS)) else { @@ -57,6 +103,81 @@ impl Uid          // in the new_unique function          unsafe { transmute::<u8, Kind>(kind) }      } + +    /// If this `Uid` is a pair, returns the relation as a component `Uid`. +    /// +    /// # Panics +    /// Will panic if this `Uid` is not a pair. +    #[must_use] +    pub fn relation_component(&self) -> Self +    { +        assert_eq!(self.kind(), Kind::Pair, "Uid is not a pair"); + +        Self { +            inner: ID_BITS.field_prep(u64::from(self.relation())) +                | KIND_BITS.field_prep(Kind::Component as u64), +        } +    } + +    #[must_use] +    pub fn has_same_relation_as(&self, other: Self) -> bool +    { +        self.relation() == other.relation() +    } + +    /// If this `Uid` is a pair, returns the relation as a entity `Uid`. +    /// +    /// # Panics +    /// Will panic if this `Uid` is not a pair. +    #[must_use] +    pub fn relation_entity(&self) -> Self +    { +        assert_eq!(self.kind(), Kind::Pair, "Uid is not a pair"); + +        Self { +            inner: ID_BITS.field_prep(u64::from(self.relation())) +                | KIND_BITS.field_prep(Kind::Entity as u64), +        } +    } + +    /// If this `Uid` is a pair, returns the target as a component `Uid`. +    /// +    /// # Panics +    /// Will panic if this `Uid` is not a pair. +    #[must_use] +    pub fn target_component(&self) -> Self +    { +        assert_eq!(self.kind(), Kind::Pair, "Uid is not a pair"); + +        Self { +            inner: ID_BITS.field_prep(u64::from(self.id())) +                | KIND_BITS.field_prep(Kind::Component as u64), +        } +    } + +    /// If this `Uid` is a pair, returns the target as a entity `Uid`. +    /// +    /// # Panics +    /// Will panic if this `Uid` is not a pair. +    #[must_use] +    pub fn target_entity(&self) -> Self +    { +        assert_eq!(self.kind(), Kind::Pair, "Uid is not a pair"); + +        Self { +            inner: ID_BITS.field_prep(u64::from(self.id())) +                | KIND_BITS.field_prep(Kind::Entity as u64), +        } +    } + +    fn relation(self) -> u32 +    { +        let Ok(relation) = u32::try_from(self.inner.field_get(RELATION_BITS)) else { +            unreachable!("Uid relation does not fit in u32"); +        }; + +        relation +    }  }  impl Debug for Uid @@ -70,3 +191,71 @@ impl Debug for Uid              .finish_non_exhaustive()      }  } + +impl Display for Uid +{ +    fn fmt(&self, formatter: &mut Formatter<'_>) -> std::fmt::Result +    { +        if self.kind() == Kind::Pair { +            return write!( +                formatter, +                "({}, {})", +                self.relation(), +                self.target_component() +            ); +        } + +        if *self == Uid::wildcard() { +            return write!(formatter, "*"); +        } + +        write!(formatter, "{}", self.id()) +    } +} + +#[derive(Debug, Clone)] +pub struct PairParams +{ +    pub relation: Uid, +    pub target: Uid, +} + +pub trait With +{ +    fn uid() -> Uid; +} + +impl<ComponentT: Component> With for ComponentT +{ +    fn uid() -> Uid +    { +        Self::id() +    } +} + +pub trait WithUidTuple +{ +    type UidsArray: Array<Uid>; + +    fn uids() -> Self::UidsArray; +} + +macro_rules! impl_with_uid_tuple { +    ($c: tt) => { +        seq!(I in 0..=$c { +            impl<#(WithUid~I: With,)*> WithUidTuple for (#(WithUid~I,)*) +            { +                type UidsArray = [Uid; $c + 1]; + +                fn uids() -> Self::UidsArray +                { +                    [#(WithUid~I::uid(),)*] +                } +            } +        }); +    }; +} + +seq!(C in 0..=16 { +    impl_with_uid_tuple!(C); +}); diff --git a/ecs/src/util.rs b/ecs/src/util.rs index eb06ab4..27e9748 100644 --- a/ecs/src/util.rs +++ b/ecs/src/util.rs @@ -4,24 +4,24 @@ use std::ops::{BitAnd, Deref};  use hashbrown::HashMap; -pub mod array_vec; +pub(crate) mod array_vec;  pub trait VecExt<Item>  { -    fn insert_at_partition_point_by_key<Key>( +    fn insert_at_part_pt_by_key<Key>(          &mut self,          item: Item, -        func: impl FnMut(&Item) -> Key, +        func: impl FnMut(&Item) -> &Key,      ) where          Key: Ord;  }  impl<Item> VecExt<Item> for Vec<Item>  { -    fn insert_at_partition_point_by_key<Key>( +    fn insert_at_part_pt_by_key<Key>(          &mut self,          item: Item, -        mut func: impl FnMut(&Item) -> Key, +        mut func: impl FnMut(&Item) -> &Key,      ) where          Key: Ord,      { @@ -300,6 +300,88 @@ macro_rules! gen_mask_64 {  pub(crate) use gen_mask_64; +macro_rules! impl_multiple { +    ( +        $type: ident, +        ($( +            impl$(<$($generic: tt$(: $bound: ident)?),*>)? +            _<$($lt_param: lifetime),*><$($type_param: ty),*> +            $(($($extra_cb_arg: expr),*))? +        ),*) +        cb=( +            type_params=($($ty_param_matcher: ident),*) +            $(, $($extra_matcher: ident),+)? +        ) => { +            $($item_tt: tt)* +        } +    ) => { +        const _: () = { +            $crate::util::impl_multiple!( +                @(make_gen_item_macro) +                _gen_multiple_impl_item, +                ($($ty_param_matcher),*), +                ($($($extra_matcher),+)?), +                ($($item_tt)*) +            ); + +            $( +                impl $(<$($generic$(: $bound)?,)*>)? $type<$($lt_param,)* $($type_param),*> +                { +                    _gen_multiple_impl_item!( +                        type_params=($($type_param),*), +                        $($($extra_cb_arg),*)? +                    ); +                } +            )* +        }; +    }; + +    ( +        @(make_gen_item_macro) +        $name: ident, +        ($($ty_param_matcher: ident),*), +        ($($extra_matcher: ident),*), +        ($($transcriber: tt)*) +    ) => { +        $crate::util::impl_multiple!( +            @(make_gen_item_macro) +            ($), +            $name, +            ($($ty_param_matcher),*), +            ($($extra_matcher),*), +            ($($transcriber)*) +        ); +    }; + +    ( +        @(make_gen_item_macro) +        ($dollar: tt), +        $name: ident, +        ($($ty_param_matcher: ident),*), +        ($($extra_matcher: ident),*), +        ($($transcriber: tt)*) +    ) => { +        $crate::util::impl_multiple!( +            @(make_gen_item_macro) +            $name, +            ( +                type_params=($($dollar$ty_param_matcher: ty),*), +                $($dollar$extra_matcher: expr),* +            ) => { +                $($transcriber)* +            } +        ); +    }; + +    (@(make_gen_item_macro) $name: ident, $($rule: tt)*) => { +        macro_rules! $name { +            $($rule)* +        } +    }; +} + +pub(crate) use impl_multiple; +  mod sealed  {      pub trait Sealed {} diff --git a/ecs/src/util/array_vec.rs b/ecs/src/util/array_vec.rs index 648c976..5d0aac9 100644 --- a/ecs/src/util/array_vec.rs +++ b/ecs/src/util/array_vec.rs @@ -1,4 +1,4 @@ -use std::mem::{transmute, MaybeUninit}; +use std::mem::MaybeUninit;  use std::ops::{Deref, DerefMut};  #[derive(Debug)] @@ -10,16 +10,18 @@ pub struct ArrayVec<Item, const CAPACITY: usize>  impl<Item, const CAPACITY: usize> ArrayVec<Item, CAPACITY>  { -    pub fn new() -> Self +    #[inline] +    #[must_use] +    pub fn len(&self) -> usize      { -        Self::default() +        self.len      }      #[inline]      #[must_use] -    pub fn len(&self) -> usize +    pub fn is_empty(&self) -> bool      { -        self.len +        self.len == 0      }      pub fn push(&mut self, item: Item) @@ -43,8 +45,8 @@ impl<Item, const CAPACITY: usize> ArrayVec<Item, CAPACITY>          unsafe {              std::ptr::copy( -                &self.items[index], -                &mut self.items[index + 1], +                &raw const self.items[index], +                &raw mut self.items[index + 1],                  self.len - index,              );          } @@ -69,7 +71,9 @@ impl<Item, const CAPACITY: usize> AsRef<[Item]> for ArrayVec<Item, CAPACITY>  {      fn as_ref(&self) -> &[Item]      { -        unsafe { transmute::<&[MaybeUninit<Item>], &[Item]>(&self.items[..self.len]) } +        let ptr = &raw const self.items[..self.len]; + +        unsafe { &*(ptr as *const [Item]) }      }  } @@ -77,11 +81,9 @@ impl<Item, const CAPACITY: usize> AsMut<[Item]> for ArrayVec<Item, CAPACITY>  {      fn as_mut(&mut self) -> &mut [Item]      { -        unsafe { -            transmute::<&mut [MaybeUninit<Item>], &mut [Item]>( -                &mut self.items[..self.len], -            ) -        } +        let ptr = &raw mut self.items[..self.len]; + +        unsafe { &mut *(ptr as *mut [Item]) }      }  } @@ -113,3 +115,17 @@ impl<Item, const CAPACITY: usize> Default for ArrayVec<Item, CAPACITY>          }      }  } + +impl<Item, const CAPACITY: usize> Drop for ArrayVec<Item, CAPACITY> +{ +    fn drop(&mut self) +    { +        for item in &mut self.items[..self.len] { +            // SAFETY: The items from index 0 to the length index will always be +            // initialized and satisfy all the invariants of the Item type. +            unsafe { +                item.assume_init_drop(); +            } +        } +    } +} diff --git a/ecs/tests/query.rs b/ecs/tests/query.rs index 0f02bd3..7b218e3 100644 --- a/ecs/tests/query.rs +++ b/ecs/tests/query.rs @@ -1,4 +1,5 @@  use ecs::component::Component; +use ecs::pair::{Pair, Wildcard};  use ecs::query::term::Without;  use ecs::query::{      TermWithFieldTuple as QueryTermWithFieldTuple, @@ -36,13 +37,13 @@ struct G;  fn setup()  {      SETUP.call_once_force(|_| { -        assert_eq!(A::id().id(), 1); -        assert_eq!(B::id().id(), 2); -        assert_eq!(C::id().id(), 3); -        assert_eq!(D::id().id(), 4); -        assert_eq!(E::id().id(), 5); -        assert_eq!(F::id().id(), 6); -        assert_eq!(G::id().id(), 7); +        assert_eq!(A::id().id(), Uid::FIRST_UNIQUE_ID); +        assert_eq!(B::id().id(), Uid::FIRST_UNIQUE_ID + 1); +        assert_eq!(C::id().id(), Uid::FIRST_UNIQUE_ID + 2); +        assert_eq!(D::id().id(), Uid::FIRST_UNIQUE_ID + 3); +        assert_eq!(E::id().id(), Uid::FIRST_UNIQUE_ID + 4); +        assert_eq!(F::id().id(), Uid::FIRST_UNIQUE_ID + 5); +        assert_eq!(G::id().id(), Uid::FIRST_UNIQUE_ID + 6);      });  } @@ -210,7 +211,7 @@ fn query_archetype_exists_with_4_comps_diff_to_next_archetype_and_opt_comp()      let ent_2_id = world.create_entity((A, B, G));      assert_query_finds_ents( -        world.query::<(&A, &Option<E>, &G), ()>(), +        world.query::<(&A, Option<&E>, &G), ()>(),          vec![ent_1_id, ent_2_id],      );  } @@ -249,7 +250,7 @@ fn query_archetype_nonexistant_and_opt_comp()      world.create_entity((A, B, C, G, F));      assert_query_finds_ents( -        world.query::<(&A, &E, &Option<D>), ()>(), +        world.query::<(&A, &E, Option<&D>), ()>(),          vec![ent_2_id, ent_3_id],      );  } @@ -320,3 +321,93 @@ fn query_without_comp_and_archetype_nonexistant()          vec![ent_1_id, ent_2_id],      );  } + +#[test] +fn query_with_wildcard_target_pair() +{ +    setup(); + +    let _test_lock = TEST_LOCK.lock(); + +    let mut world = World::new(); + +    let ent_1_id = world.create_entity((A, C)); + +    world.create_entity((B,)); + +    let ent_2_id = world.create_entity(( +        B, +        Pair::builder().relation::<G>().target_id(ent_1_id).build(), +    )); + +    world.create_entity(( +        B, +        Pair::builder().relation::<F>().target_id(ent_1_id).build(), +    )); +    world.create_entity(( +        B, +        A, +        C, +        Pair::builder().relation::<F>().target_id(ent_1_id).build(), +    )); + +    let ent_3_id = world.create_entity(( +        B, +        Pair::builder().relation::<G>().target_id(ent_2_id).build(), +    )); + +    let ent_4_id = world.create_entity(( +        B, +        E, +        Pair::builder().relation::<G>().target_as_data(D).build(), +    )); + +    assert_query_finds_ents( +        world.query::<(&B, Pair<G, Wildcard>), ()>(), +        vec![ent_2_id, ent_3_id, ent_4_id], +    ); +} + +#[test] +fn query_with_component_target_pair() +{ +    setup(); + +    let _test_lock = TEST_LOCK.lock(); + +    let mut world = World::new(); + +    let ent_1_id = world.create_entity((A, C)); + +    world.create_entity((B,)); + +    world.create_entity(( +        B, +        Pair::builder().relation::<G>().target_id(ent_1_id).build(), +    )); + +    world.create_entity(( +        B, +        Pair::builder().relation::<F>().target_id(ent_1_id).build(), +    )); +    world.create_entity(( +        B, +        A, +        C, +        Pair::builder().relation::<F>().target_id(ent_1_id).build(), +    )); + +    let ent_2_id = world +        .create_entity((B, Pair::builder().relation::<G>().target_as_data(F).build())); + +    let ent_3_id = world.create_entity(( +        B, +        E, +        Pair::builder().relation::<G>().target_as_data(F).build(), +    )); + +    assert_query_finds_ents( +        world.query::<(&B, Pair<G, &F>), ()>(), +        vec![ent_2_id, ent_3_id], +    ); +} | 
