我是一名使用 Rust 语言的初级开发人员。我来自 JavaScript,很多特性和特性对我来说仍然不清楚。
目前,我正在寻找在 Rust 中构建自己的 ECS(实体组件系统)系统。当我想从实体中获取组件时,我一直卡住。
实际上,我使用 dyn 盒装矢量将组件存储在实体中,这是一个好方法吗?
我的代码:
enum ComponentEnum {
Position,
Size
}
trait Component {}
// Position Component
#[derive(PartialEq, PartialOrd, Debug)]
struct Position {
x: i32,
y: i32
}
// Size Component
#[derive(PartialEq, PartialOrd, Debug)]
struct Size {
height: i32,
width: i32
}
impl Component for Position {}
impl Component for Size {}
struct Entity {
id: usize,
components: Vec<Box<dyn Component>>
}
impl Entity {
fn new(index: usize) -> Self {
Entity { id: index, components: vec![] }
}
// Add a component in Entity
fn add_component<T: 'static + Component>(&mut self, component: T) {
self.components.push(Box::new(component));
}
}
struct EntityStore {
entities: Vec<Entity>,
current_index: usize,
}
impl EntityStore {
fn new() -> EntityStore {
EntityStore { entities: vec![], current_index: 0 }
}
fn generate_index(&self) -> usize {
unimplemented!();
}
// Stop creation system and update EntityStore current_index
fn end(&mut self) -> &mut Entity {
let entity = self.entities.get_mut(self.current_index).unwrap();
self.current_index = self.current_index + 1;
entity
}
fn create_entity(&mut self) -> &mut Self {
let mut entity = Entity::new(self.current_index);
self.entities.push(entity);
self
}
// Add component to entity
fn with_component<T: 'static + Component>(&mut self, component: T) -> &mut Self {
let mut entity = self.entities.get_mut(self.current_index).unwrap();
entity.add_component(component);
self
}
}
fn main() {
let mut es = EntityStore::new();
// Make entity
let mut entity1 = es
.create_entity()
.with_component(Position { x: 0, y: 0 })
.with_component(Size { height: 10, width: 10 })
.end();
// Get entity position component
// let component_position_entity1 = entity1.get_component(ComponentEnum::Position);
}
如何从我的实体中取回我的 Position 组件?
编辑:
这里,一个获取组件的测试函数(在实体实现中):
fn get_component(&mut self, component_enum: ComponentEnum) { //want return Position or Size component
let mut entity_components = &self.components;
// Search component by Name ?
// Currently, i try to compare Component trait with Component Enum element...
let component = entity_components
.iter_mut()
.find(|component| component == component_enum)
.unwrap();
// Here, the component type is "&mut Box<dyn Component>" but i want type like "&mut Position" or "&mut Size"
component // Here i need to return a Position or Size struct component, but i have Component Trait so i can't use Position/Size functions
}
谢谢。