什么是实施实体 - 组件系统的最佳方式

时间:2017-12-01 22:42:50

标签: json go serialization marshalling

最近我计划实施一个像{2}这样的守望先锋。

我的项目的主要挑战(和难点)是,我的引擎允许用户定义自定义地图,允许用户定义自定义单位。换句话说,用户可以选择实体类型所需的组件

例如

type Component interface {
    ComponentName() string
}

type HealthComponent struct {
    HP uint
}

type ManaComponent struct {
    MP uint
}

type ChiComponent struct{
        Chi uint
}
// assuming each component has implemented Component interface

相应的实体定义是:

type Entity struct {
    ID         EID
    EntityName string
    Components map[string]Component
}

用户将拥有JSON格式的实体定义:

{
 "EntityName": "FootMan",
 "Components": {
  "HealthComponent": {
   "HP": 500
  }
 }
}
---------------------------------------------
{
 "EntityName": "Warlock",
 "Components": {
  "HealthComponent": {
   "HP": 250
  },
  "ManaComponent": {
   "MP": 100
  }
 }
}
---------------------------------------------
{
 "EntityName": "Monk",
 "Components": {
  "HealthComponent": {
   "HP": 250
  },
  "ChiComponent": {
   "Chi": 100
  }
 }
}

请注意,JSON中不包含ID,因为我们需要在运行时初始化它

所以这就出现了问题:
使用给定的JSON定义构建此类实体的最有效方法是什么? 目前我的解决方案是使用注册表来维护结构类型和组件名称之间的映射

var componentRegistry = make(map[string]reflect.Type)
func init() {

    componentRegistry["ChiComponent"] = reflect.TypeOf(ChiComponent{})
    componentRegistry["HealthComponent"] = reflect.TypeOf(HealthComponent{})
    componentRegistry["ManaComponent"] = reflect.TypeOf(ManaComponent{})

}

构建器代码是

func ComponentBuilder(name string) Component {

    v := reflect.New(componentRegistry[name])
    fmt.Println(v)
    return v.Interface().(Component)
}

func EntityBuilder(EntityName string, RequireComponent []string) *Entity {

    var entity = new(Entity)
    entity.ID = getNextAvailableID()
    entity.EntityName = EntityName
    entity.Components = make(map[string]Component)
    for _, v := range RequireComponent {
        entity.Components[v] = ComponentBuilder(v)
    }

    return entity
}

对于想要访问此实体中的组件的每个系统,需要执行以下操作:

var d = monk_entity.Components["ChiComponent"].(*ChiComponent)
d.Chi = 13

var h = monk_entity.Components["HealthComponent"].(*HealthComponent)
h.HP = 313

它有效,但我在这种方法中使用了太多的反射,我无法将初始值分配给实体,实体存储在用户定义的JSON文件中。有没有更好的方法呢?

1 个答案:

答案 0 :(得分:0)

Gor一件事,你可以使用函数而不是反射:

type componentMaker func() Component  // Define generator signature

var componentRegistry = make(map[string]componentMaker) // Update map type

componentRegistry["ChiComponent"] = func() Component { return new(ChiComponent) } // Define generators

entity.Components[v] = componentRegistry[v]() // Call generator

等等。不需要反思。