The relationships feature makes it possible to describe entity graphs natively in ECS. Graphs are created by adding and removing relationships from one entity to another entity. See this blog for an introduction to entity relationships.
Adding/removing relationships is similar to adding/removing regular components, with as difference that instead of a single component id, a relationship adds a pair of two things to an entity. In this pair, the first element represents the relationship (e.g. "Eats"), and the second element represents the relationship target (e.g. "Apples").
Relationships can be used to describe many things, from hierarchies to inventory systems to trade relationships between players in a game. The following sections go over how to use relationships, and what features they support.
Definitions
Name | Description |
Id | An id that can be added and removed |
Component | Id with a single element (same as an entity id) |
Pair | Id with two elements |
Tag | Component or pair not associated with data |
Relationship | Used to refer to first element of pair |
Target | Used to refer to second element of pair |
Source | Entity to which an id is added |
Examples
Make sure to check out the code examples in the repository:
Introduction
The following code is a simple example that uses relationships:
-
C
ecs_add_pair(world, Bob, Likes, Alice);
ecs_remove_pair(world, Bob, Likes, Alice);
ecs_id_t ecs_entity_t
An entity identifier.
ecs_entity_t ecs_new(ecs_world_t *world)
Create new entity id.
-
C++
auto Likes = world.entity();
auto Bob = world.entity();
auto Alice = world.entity();
Bob.add(Likes, Alice);
Bob.remove(Likes, Alice);
-
C#
Entity Likes = world.Entity();
Entity Bob = world.Entity();
Entity Alice = world.Entity();
Bob.Add(Likes, Alice);
Bob.Remove(Likes, Alice);
-
Rust
let likes = world.entity();
let bob = world.entity();
let alice = world.entity();
// bob likes alice
bob.add_id((likes, alice));
// bob likes alice no more
bob.remove_id((likes, alice));
In this example, we refer to Bob
as the "source", Likes
as the "relationship" and Alice
as the "target". A relationship when combined with an target is called a "relationship pair".
The same relationship can be added multiple times to an entity, as long as its target is different:
-
C
ecs_add_pair(world, Bob, Eats, Apples);
ecs_add_pair(world, Bob, Eats, Pears);
ecs_has_pair(world, Bob, Eats, Apples);
ecs_has_pair(world, Bob, Eats, Pears);
-
C++
auto Bob = world.entity();
auto Eats = world.entity();
auto Apples = world.entity();
auto Pears = world.entity();
Bob.add(Eats, Apples);
Bob.add(Eats, Pears);
Bob.has(Eats, Apples);
Bob.has(Eats, Pears);
-
C#
Entity Bob = world.Entity();
Entity Eats = world.Entity();
Entity Apples = world.Entity();
Entity Pears = world.Entity();
Bob.Add(Eats, Apples);
Bob.Add(Eats, Pears);
Bob.Has(Eats, Apples);
Bob.Has(Eats, Pears);
-
Rust
let bob = world.entity();
let eats = world.entity();
let apples = world.entity();
let pears = world.entity();
bob.add_id((eats, apples));
bob.add_id((eats, pears));
bob.has_id((eats, apples)); // true
bob.has_id((eats, pears)); // true
An application can query for relationships with the (Relationship, Target)
notation:
-
C
.terms = {{ecs_pair(Eats, Apples)}}
});
#define ecs_query(world,...)
Shorthand for creating a query with ecs_query_cache_init.
Queries are lists of constraints (terms) that match entities.
-
C++
auto q = world.query_builder<>()
.expr("(Eats, Apples)")
.build();
auto q = world.query_builder<>()
.expr("(Eats, *)")
.build();
auto q = world.query_builder<>()
.with(Eats, Apples)
.build();
Type that represents a pair.
-
C#
Query q = world.QueryBuilder()
.Expr("(Eats, Apples)")
.Build();
Query q = world.QueryBuilder()
.Expr("(Eats, *)")
.Build();
Query q = world.QueryBuilder()
.Expr(Eats, Apples)
.Build();
-
Rust
// Find all entities that eat apples
let q = world.query::<()>().expr("(Eats, Apples)").build();
// Find all entities that eat anything
let q = world.query::<()>().expr("(Eats, *)").build();
// With the query builder API:
let q = world.query::<()>().with_id((eats, apples)).build();
// Or when using pair types, when both relationship & target are compile time types, they can be represented as a tuple:
let q = world.new_query::<&(Eats, Apples)>();
This example just shows a simple relationship query. Relationship queries are much more powerful than this as they provide the ability to match against entity graphs of arbitrary size. For more information on relationship queries see the query manual.
Relationship queries
There are a number of ways an application can query for relationships. The following kinds of queries are available for all (unidirectional) relationships, and are all constant time:
Test if entity has a relationship pair
-
C
ecs_has_pair(world, Bob, Eats, Apples);
-
C++
-
C#
-
Rust
bob.has_id((eats, apples));
Test if entity has a relationship wildcard
-
C
-
C++
Bob.has(Eats, flecs::Wildcard);
-
C#
Bob.Has(Eats, Ecs.Wildcard);
-
Rust
bob.has_id((eats, flecs::Wildcard::ID));
Get parent for entity
-
C
ecs_entity_t ecs_get_parent(const ecs_world_t *world, ecs_entity_t entity)
Get parent (target of ChildOf relationship) for entity.
-
C++
flecs::entity parent() const
Get parent of entity.
-
C#
Entity parent = Bob.Parent();
-
Rust
let parent = bob.parent();
-
Rust
let parent = bob.parent();
Find first target of a relationship for entity
-
C
ecs_entity_t ecs_get_target(const ecs_world_t *world, ecs_entity_t entity, ecs_entity_t rel, int32_t index)
Get the target of a relationship.
-
C++
flecs::entity target(int32_t index=0) const
Get target for a given pair.
-
C#
Entity food = Bob.Target(Eats);
-
Rust
let food = bob.target_id(eats, 0); // first target
Find all targets of a relationship for entity
-
C
-
C++
int32_t index = 0;
while ((food = Bob.target(Eats, index ++))) {
}
-
C#
int index = 0;
while ((food = Bob.Target(Eats, index++)) != 0)
{
}
-
Rust
let mut index = 0;
while bob.target_id(eats, index).is_some() {
index += 1;
}
Find target of a relationship with component
-
C
-
C++
flecs::entity target_for(flecs::entity_t relationship, flecs::id_t id) const
Get the target of a pair for a given relationship id.
-
C#
Entity parent = Bob.TargetFor<Position>(Ecs.ChildOf);
-
Rust
let parent = bob.target_for::<Position>(flecs::ChildOf::ID);
Iterate all pairs for entity
-
C
for (
int i = 0; i < type->
count; i ++) {
if (ECS_IS_PAIR(id)) {
}
}
uint64_t ecs_id_t
Ids are the things that can be added to an entity.
const ecs_type_t * ecs_get_type(const ecs_world_t *world, ecs_entity_t entity)
Get the type of an entity.
A type is a list of (component) ids.
ecs_id_t * array
Array with ids.
int32_t count
Number of elements in array.
-
C++
if (id.is_pair()) {
}
});
Class that wraps around a flecs::id_t.
flecs::entity second() const
Get second element from a pair.
flecs::entity first() const
Get first element from a pair.
-
C#
Bob.Each((Id id) =>
{
if (id.IsPair())
{
Entity first = id.First();
Entity second = id.Second();
}
});
-
Rust
bob.each_component(|id| {
if id.is_pair() {
let first = id.first_id();
let second = id.second_id();
}
});
Find all entities with a pair
-
C
.terms[0] = ecs_pair(Eats, Apples)
});
for (int i = 0; i < it.count; i ++) {
}
}
bool ecs_query_next(ecs_iter_t *it)
Progress query iterator.
void ecs_query_fini(ecs_query_t *query)
Delete a query.
ecs_iter_t ecs_query_iter(const ecs_world_t *world, const ecs_query_t *query)
Create a query iterator.
-
C++
world.query_builder()
.with(Eats, Apples)
.build()
});
-
C#
world.FilterBuilder()
.With(Eats, Apples)
.Build()
.Each((Entity e) =>
{
});
-
Rust
world
.query::<()>()
.with_id((eats, apples))
.build()
.each_entity(|e, _| {
// Iterate as usual
});
Find all entities with a pair wildcard
-
C
});
for (int i = 0; i < it.count; i ++) {
}
}
ecs_id_t ecs_field_id(const ecs_iter_t *it, int8_t index)
Return id matched for field.
-
C++
world.query_builder()
.with(Eats, flecs::Wildcard)
.build()
});
Class for iterating over query results.
flecs::entity entity(size_t row) const
Obtain mutable handle to entity being iterated over.
flecs::id pair(int8_t index) const
Obtain pair id matched for field.
-
C#
world.FilterBuilder()
.With(Eats, Ecs.Wildcard)
.Build()
.Each((Iter it, int i) =>
{
Entity food = it.Pair(1).Second();
Entity e = it.Entity(i);
});
-
Rust
world
.query::<()>()
.with_id((eats, flecs::Wildcard::ID))
.build()
.each_iter(|it, i, _| {
let food = it.pair(0).unwrap().second_id(); // Apples, ...
let e = it.entity(i);
// Iterate as usual
});
Iterate all children for a parent
-
C
for (
int i = 0; i < it.
count; i ++) {
}
}
bool ecs_children_next(ecs_iter_t *it)
Progress an iterator created with ecs_children().
ecs_iter_t ecs_children(const ecs_world_t *world, ecs_entity_t parent)
Iterate children of parent.
int32_t count
Number of entities to iterate.
const ecs_entity_t * entities
Entity identifiers.
-
C++
});
void children(flecs::entity_t rel, Func &&func) const
Iterate children for entity.
-
C#
parent.Children((Entity child) =>
{
});
-
Rust
parent.each_child(|child| {
// ...
});
More advanced queries are possible with Flecs queries. See the Queries manual for more details.
Relationship components
Relationship pairs, just like regular component, can be associated with data. To associate data with a relationship pair, at least one of its elements needs to be a component. A pair can be associated with at most one type. To determine which type is associated with a relationship pair, the following rules are followed in order:
- If neither the first nor second elements are a type, the pair is a tag
- If the first element has the PairIsTag trait, the pair is a tag
- If the first element is a type, the pair type is the first element
- If the second element is a type, the pair type is the second element
The following examples show how these rules can be used:
-
C
typedef struct {
float x, y;
} Position;
typedef struct {
float amount;
} Eats;
ecs_add_pair(world, e, Likes, Apples);
ecs_set_pair(world, e, Eats, Apples, { .amount = 1 });
ecs_set_pair_second(world, e, Begin, Position, {0, 0});
ecs_set_pair_second(world, e, End, Position, {10, 20});
#define ECS_COMPONENT(world, id)
Declare & define a component.
-
C++
struct Position {
float x, y;
};
struct Eats {
float amount;
};
struct Begin { };
struct End { };
e.set<Eats>(Apples, { 1 });
e.set<Begin, Position>({0, 0});
e.set<End, Position>({10, 20});
e.
add(flecs::ChildOf, world.id<Position>());
const Self & add() const
Add a component to an entity.
-
C#
public record struct Position(float X, float Y);
public record struct Eats(float Amount);
public struct Begin { }
public struct End { }
Entity Likes = world.Entity();
Entity Apples = world.Entity();
Entity e = world.Entity();
e.Add(Likes, Apples);
e.Set<Eats>(Apples, new Eats(1));
e.Set<Begin, Position>(new Position(0, 0));
e.Set<End, Position>(new Position(10, 20));
e.Add(Ecs.ChildOf, world.Id<Position>());
-
Rust
// Empty types (types without members) are letmatically interpreted as tags
#[derive(Component)]
struct Begin;
#[derive(Component)]
struct End;
// Tags
let likes = world.entity();
let apples = world.entity();
let e = world.entity();
// Both likes and Apples are tags, so (likes, Apples) is a tag
e.add_id((likes, apples));
// Eats is a type and Apples is a tag, so (Eats, Apples) has type Eats
e.set_pair::<Eats, Apples>(Eats { amount: 1 });
// Begin is a tags and Position is a type, so (Begin, Position) has type Position
e.set_pair::<Begin, Position>(Position { x: 10.0, y: 20.0 });
e.set_pair::<End, Position>(Position { x: 100.0, y: 20.0 }); // Same for End
// ChildOf has the Tag property, so even though Position is a type, the pair
// does not assume the Position type
e.add_id((flecs::ChildOf::ID, world.component_id::<Position>()));
e.add::<(flecs::ChildOf, Position)>();
Using relationships to add components multiple times
A limitation of components is that they can only be added once to an entity. Relationships make it possible to get around this limitation, as a component can be added multiple times, as long as the pair is unique. Pairs can be constructed on the fly from new entity identifiers, which means this is possible:
-
C
typedef struct {
float x;
float y;
} Position;
ecs_add_pair(world, e, Position, first, {1, 2});
ecs_add_pair(world, e, Position, second, {3, 4});
ecs_add_pair(world, e, Position, third, {5, 6});
-
C++
struct Position {
float x;
float y;
}
auto e = world.entity();
auto first = world.entity();
auto second = world.entity();
auto third = world.entity();
e.set<Position>(first, {1, 2});
e.set<Position>(second, {3, 4});
e.set<Position>(third, {5, 6});
-
C#
public record struct Position(float X, float Y);
Entity e = world.Entity();
Entity first = world.Entity();
Entity second = world.Entity();
Entity third = world.Entity();
e.Set<Position>(first, new(1, 2));
e.Set<Position>(second, new(3, 4));
e.Set<Position>(third, new(5, 6));
-
Rust
let e = world.entity();
let first = world.entity();
let second = world.entity();
let third = world.entity();
// Add component position 3 times, for 3 different objects
e.set_first::<Position>(Position { x: 1.0, y: 2.0 }, first);
e.set_first::<Position>(Position { x: 3.0, y: 4.0 }, second);
e.set_first::<Position>(Position { x: 5.0, y: 6.0 }, third);
Relationship wildcards
When querying for relationship pairs, it is often useful to be able to find all instances for a given relationship or target. To accomplish this, an application can use wildcard expressions. Consider the following example, that queries for all entities with a Likes
relationship:
-
C
.terms = {
}
});
for (int i = 0; i < it.count; it++) {
printf("entity %d has relationship %s, %s\n",
it.entities[i],
}
}
const char * ecs_get_name(const ecs_world_t *world, ecs_entity_t entity)
Get the name of an entity.
-
C++
auto q = world.query_builder()
.with(Likes, flecs::Wildcard)
.build();
cout <<
"entity " << it.
entity(i) <<
" has relationship "
});
flecs::string_view name() const
Return the entity name.
-
C#
Query q = world.QueryBuilder()
.With(Likes, Ecs.Wildcard)
.Build();
q.Iter((Iter it) =>
{
Id id = it.Pair(1);
foreach (int i in it)
Console.WriteLine($"entity {it.Entity(i)} has relationship {id.First()}, {id.Second()}");
});
-
Rust
let q = world
.query::<()>()
.with_id((likes, flecs::Wildcard::ID))
.build();
q.each_iter(|it, i, _| {
println!(
"entity {} has relationship {} {}",
it.entity(i),
it.pair(0).unwrap().first_id().name(),
it.pair(0).unwrap().second_id().name()
);
});
Wildcards may appear in query expressions, using the *
character:
-
C
.query.expr = "(Likes, *)"
});
-
C++
auto q = world.query_builder<>().expr("(Likes, *)").build();
-
C#
Query q = world.QueryBuilder().Expr("(Likes, *)").Build();
-
Rust
let q = world.query::<()>().expr("(likes, *)").build();
Wildcards may used for the relationship or target part of a pair, or both:
"(Likes, *)"
"(*, Alice)"
"(*, *)"
Inspecting relationships
An application can use pair wildcard expressions to find all instances of a relationship for an entity. The following example shows how to find all Eats
relationships for an entity:
-
C
ecs_add_pair(world, Bob, Eats, Apples);
ecs_add_pair(world, Bob, Eats, Pears);
int32_t cur = -1;
}
struct ecs_table_t ecs_table_t
A table stores entities and components for a specific type.
ecs_table_t * ecs_get_table(const ecs_world_t *world, ecs_entity_t entity)
Get the table of an entity.
#define ecs_entity(world,...)
Shorthand for creating an entity with ecs_entity_init().
int32_t ecs_search_offset(const ecs_world_t *world, const ecs_table_t *table, int32_t offset, ecs_id_t id, ecs_id_t *id_out)
Search for component id in table type starting from an offset.
-
C++
auto Bob = world.entity();
auto Eats = world.entity();
auto Apples = world.entity();
auto Pears = world.entity();
Bob.add(Eats, Apples);
Bob.add(Eats, Pears);
bob.match(world.pair(Eats, flecs::Wildcard), [](
flecs::id id) {
cout << "Bob eats " << id.second().name() << endl;
});
cout <<
"Bob eats " << obj.
name() << endl;
})
-
C#
Entity Bob = world.Entity();
Entity Eats = world.Entity();
Entity Apples = world.Entity();
Entity Pears = world.Entity();
Bob.Add(Eats, Apples);
Bob.Add(Eats, Pears);
bob.Each(Eats, (Entity obj) =>
{
Console.WriteLine($"Bob eats {obj}");
})
-
Rust
// bob eats apples and pears
let bob = world.entity();
let eats = world.entity();
let apples = world.entity();
let pears = world.entity();
bob.add_id((eats, apples));
bob.add_id((eats, pears));
// Find all (Eats, *) relationships in bob's type
bob.each_pair(eats, flecs::Wildcard::ID, |id| {
println!("bob eats {}", id.second_id().name());
});
// For target wildcard pairs, each_target_id() can be used:
bob.each_target_id(eats, |entity| {
println!("bob eats {}", entity.name());
});
Builtin relationships
Flecs comes with a few builtin relationships that have special meaning within the framework. While they are implemented as regular relationships and therefore obey the same rules as any custom relationship, they are used to enhance the features of different parts of the framework. The following two sections describe the builtin relationships of Flecs.
The IsA relationship
The IsA
relationship is a builtin relationship that allows applications to express that one entity is equivalent to another. This relationship is at the core of component sharing and plays a large role in queries. The IsA
relationship can be used like any other relationship, as is shown here:
-
C
ecs_add_pair(world, Apple,
EcsIsA, Fruit);
-
C++
auto Apple = world.entity();
auto Fruit = world.entity();
Apple.add(flecs::IsA, Fruit);
-
C#
Entity Apple = world.Entity();
Entity Fruit = world.Entity();
Apple.Add(Ecs.IsA, Fruit);
-
Rust
let apple = world.entity();
let fruit = world.entity();
apple.add_id((flecs::IsA::ID, fruit));
In C++ and C#, adding an IsA
relationship has a shortcut:
This indicates to Flecs that an Apple
is equivalent to a Fruit
and should be treated as such. This equivalence is one-way, as a Fruit
is not equivalent to an Apple
. Another way to think about this is that IsA
allows an application to express subsets and supersets. An Apple
is a subset of Fruit
. Fruit
is a superset of Apple
.
We can also add IsA
relationships to Apple
:
-
C
ecs_add_pair(world, GrannySmith,
EcsIsA, Apple);
-
C++
auto GrannySmith = world.entity();
GrannySmith.add(flecs::IsA, Apple);
-
C#
Entity GrannySmith = world.Entity();
GrannySmith.Add(Ecs.IsA, Apple);
-
Rust
let granny_smith = world.entity();
granny_smith.add_id((flecs::IsA::ID, apple));
This specifies that GrannySmith
is a subset of Apple
. A key thing to note here is that because Apple
is a subset of Fruit
, GrannySmith
is a subset of Fruit
as well. This means that if an application were to query for (IsA, Fruit)
it would both match Apple
and GrannySmith
. This property of the IsA
relationship is called "transitivity" and it is a feature that can be applied to any relationship. See the section on Transitivity for more details.
Component sharing
An entity with an IsA
relationship to another entity is equivalent to the other entity. So far the examples showed how querying for an IsA
relationship will find the subsets of the thing that was queried for. In order for entities to be treated as true equivalents though, everything the superset contains (its components, tags, relationships) must also be found on the subsets. Consider:
-
C
ecs_set(world, Spaceship, MaxSpeed, {100});
ecs_set(world, SpaceShip, Defense, {50});
ecs_add(world, Frigate,
EcsIsA, Spaceship);
ecs_set(world, Frigate, Defense, {100});
-
C++
auto Spaceship = world.entity()
.set<MaxSpeed>({100})
.set<Defense>({50});
auto Frigate = world.entity()
.is_a(SpaceShip)
.set<Defense>({75});
-
C#
Entity Spaceship = world.Entity()
.Set<MaxSpeed>(new(100))
.Set<Defense>(new(50));
Entity Frigate = world.Entity()
.IsA(SpaceShip)
.Set<Defense>(new(75));
-
Rust
let spaceship = world
.entity()
.set(MaxSpeed { value: 100 })
.set(Defense { value: 50 });
let frigate = world
.entity()
.is_a_id(spaceship) // shorthand for .add(flecs::IsA, Spaceship)
.set(Defense { value: 75 });
Here, the Frigate
"inherits" the contents of SpaceShip
. Even though MaxSpeed
was never added directly to Frigate
, an application can do this:
-
C
const MaxSpeed *v = ecs_get(world, Frigate, MaxSpeed);
v->value == 100;
-
C++
const MaxSpeed *v = Frigate.get<MaxSpeed>();
v->value == 100;
-
C#
ref readonly MaxSpeed v = ref Frigate.Get<MaxSpeed>();
v.Value == 100;
-
Rust
// Obtain the inherited component from Spaceship
let is_100 = frigate.map::<&mut MaxSpeed, _>(|v| {
v.value == 100 // True
});
While the Frigate
entity also inherited the Defense
component, it overrode this with its own value, so that the following example works:
-
C
const Defense *v = ecs_get(world, Frigate, Defense);
v->value == 75;
-
C++
const Defense *v = Frigate.get<Defense>();
v->value == 75;
-
C#
ref readonly Defense v = ref Frigate.get<Defense>();
v.Value == 75;
-
Rust
// Obtain the overridden component from Frigate
let is_75 = frigate.map::<&mut Defense, _>(|v| {
v.value == 75 // True
});
The ability to share components is also applied transitively, so Frigate
could be specialized further into a FastFrigate
:
-
C
ecs_add(world, FastFrigate,
EcsIsA, Frigate);
ecs_set(world, FastFrigate, MaxSpeed, {200});
const MaxSpeed *s = ecs_get(world, Frigate, MaxSpeed);
s->value == 200;
const Defense *d = Frigate.get<Defense>();
d->value == 75;
-
C++
auto FastFrigate = world.entity()
.is_a(Frigate)
.set<MaxSpeed>({200});
const MaxSpeed *s = Frigate.get<MaxSpeed>();
s->value == 200;
const Defense *d = Frigate.get<Defense>();
d->value == 75;
-
C#
Entity FastFrigate = world.Entity()
.IsA(Frigate)
.Set<MaxSpeed>(new(200));
ref readonly MaxSpeed s = ref Frigate.Get<MaxSpeed>();
s.Value == 200;
ref readonly Defense d = ref Frigate.Get<Defense>();
d.Value == 75;
-
Rust
let fast_frigate = world.entity().is_a_id(frigate).set(MaxSpeed { value: 200 });
// Obtain the overridden component from FastFrigate
let is_200 = fast_frigate.map::<&mut MaxSpeed, _>(|v| {
v.value == 200 // True
});
// Obtain the inherited component from Frigate
let is_75 = fast_frigate.map::<&mut Defense, _>(|v| {
v.value == 75 // True
});
This ability to inherit and override components is one of the key enabling features of Flecs prefabs, and is further explained in the Inheritance section of the manual.
The ChildOf relationship
The ChildOf
relationship is the builtin relationship that allows for the creation of entity hierarchies. The following example shows how hierarchies can be created with ChildOf
:
-
C
ecs_add_pair(world, Cockpit,
EcsChildOf, Spaceship);
-
C++
auto Spaceship = world.entity();
auto Cockpit = world.entity();
Cockpit.add(flecs::ChildOf, Spaceship);
-
C#
Entity Spaceship = world.Entity();
Entity Cockpit = world.Entity();
Cockpit.Add(Ecs.ChildOf, Spaceship);
-
Rust
let spaceship = world.entity();
let cockpit = world.entity();
cockpit.add_id((flecs::ChildOf::ID, spaceship));
In C++, C# and Rust, adding a ChildOf
relationship has a shortcut:
-
C++
Cockpit.child_of(Spaceship);
-
C#
Cockpit.ChildOf(Spaceship);
-
Rust
cockpit.child_of_id(spaceship);
The ChildOf
relationship is defined so that when a parent is deleted, its children are also deleted. For more information on specifying cleanup behavior for relationships, see the Relationship cleanup properties section.
The ChildOf
relationship is defined as a regular relationship in Flecs. There are however a number of features that interact with ChildOf
. The following sections describe these features.
Namespacing
Entities in flecs can have names, and name lookups can be relative to a parent. Relative name lookups can be used as a namespacing mechanism to prevent clashes between entity names. This example shows a few examples of name lookups in combination with hierarchies:
-
C
.name = "Parent"
});
.name = "Child"
});
child = ecs_lookup_from(world, parent, "Child");
ecs_entity_t ecs_lookup(const ecs_world_t *world, const char *path)
Lookup an entity by it's path.
-
C++
auto parent = world.entity("Parent");
auto child = world.entity("Child")
.child_of(parent);
child == world.
lookup(
"Parent::Child");
child == parent.
lookup(
"Child");
flecs::entity lookup(const char *path, bool search_path=false) const
Lookup an entity by name.
-
C#
Entity parent = world.Entity("Parent");
Entity child = world.Entity("Child")
.ChildOf(parent);
child == world.Lookup("Parent.Child");
child == parent.Lookup("Child");
-
Rust
let parent = world.entity_named("Parent");
let child = world.entity_named("Child").child_of_id(parent);
child == world.lookup("Parent::Child"); // true
child == parent.lookup("Child"); // true
Scoping
In some scenarios a number of entities all need to be created with the same parent. Rather than adding the relationship to each entity, it is possible to configure the parent as a scope, which ensures that all entities created afterwards are created in the scope. The following example shows how:
-
C
ecs_entity_t ecs_set_scope(ecs_world_t *world, ecs_entity_t scope)
Set the current scope.
-
C++
auto parent = world.entity();
auto prev = world.set_scope(parent);
auto child_a = world.entity();
auto child_b = world.entity();
world.set_scope(prev);
child_a.has(flecs::ChildOf, parent);
child_b.has(flecs::ChildOf, parent);
-
C#
Entity parent = world.Entity();
Entity prev = world.SetScope(parent);
Entity childA = world.Entity();
Entity childB = world.Entity();
world.SetScope(prev);
childA.Has(Ecs.ChildOf, parent);
childB.Has(Ecs.ChildOf, parent);
-
Rust
let parent = world.entity();
let prev = world.set_scope_id(parent);
let child_a = world.entity();
let child_b = world.entity();
// Restore the previous scope
world.set_scope_id(prev);
child_a.has_id((flecs::ChildOf::ID, parent)); // true
child_b.has_id((flecs::ChildOf::ID, parent)); // true
Scopes in C++, C# and Rust can also be used with the scope
/Scope
/run_in_scope
function on an entity, which accepts a (typically lambda) function:
-
C++
auto parent = world.entity().scope([&]{
auto child_a = world.entity();
auto child_b = world.entity();
child_a.has(flecs::ChildOf, parent);
child_b.has(flecs::ChildOf, parent);
});
-
C#
Entity parent = world.Entity().Scope(() =>
{
Entity childA = world.Entity();
Entity childB = world.Entity();
childA.Has(Ecs.ChildOf, parent);
childB.Has(Ecs.ChildOf, parent);
});
<
-
Rust
let parent = world.entity().run_in_scope(|| {
let child_a = world.entity();
let child_b = world.entity();
child_a.has_id((flecs::ChildOf::ID, parent)); // true
child_b.has_id((flecs::ChildOf::ID, parent)); // true
});
Scopes are the mechanism that ensure contents of a module are created as children of the module, without having to explicitly add the module as a parent.
Relationship performance
This section goes over the performance implications of using relationships.
Introduction
The ECS storage needs to know two things in order to store components for entities:
- Which ids are associated with an entity
- Which types are associated with those ids
Ids represent anything that can be added to an entity. An id that is not associated with a type is called a tag. An id associated with a type is a component. For regular components, the id is a regular entity that has the builtin Component
component. This component contains the information needed by the storage to associate the entity with a type. If an entity does not have the Component
component, it is a tag.
Storing relationships
Relationships do not fundamentally change or extend the capabilities of the storage. Relationship pairs are two elements encoded into a single 64-bit id, which means that on the storage level they are treated the same way as regular component ids. What changes is the function that determines which type is associated with an id. For regular components this is simply a check on whether an entity has Component
. To support relationships, new rules are added to determine the type of an id.
Because of this, adding/removing relationships to entities has the same performance as adding/removing regular components. This becomes more obvious when looking more closely at a function that adds a relationship pair. The following example shows how the function that adds a regular component and the function that adds a pair actually map to the same functions:
ecs_add(world, e, Position);
ecs_add_pair(world, e, Likes, Apples);
void ecs_add_id(ecs_world_t *world, ecs_entity_t entity, ecs_id_t id)
Add a (component) id to an entity.
FLECS_API const ecs_entity_t ecs_id(EcsDocDescription)
Component id for EcsDocDescription.
This example also applies to C++, as the C++ API maps to the same C API functions.
While most of the storage uses the same code paths for regular components and relationships, there are a few properties of the storage that can impact performance when using relationships. These properties are not unique to relationships, but are more likely to be significant when using relationships.
Id ranges
Flecs reserves entity ids under a threshold (FLECS_HI_COMPONENT_ID
, default is 256) for components. This low id range is used by the storage to more efficiently encode graph edges between tables. Graph edges for components with low ids use direct array indexing, whereas graph edges for high ids use a hashmap. Graph edges are used to find the next archetype when adding/removing component ids, and are a contributing factor to the performance overhead of add/remove operations.
Because of the way pair ids are encoded, a pair will never be in the low id range. This means that adding/removing a pair id always uses a hashmap to find the next archetype. This introduces a small overhead, which is usually 5-10% of the total cost of an operation.
Fragmentation
Fragmentation is a property of archetype-based ECS implementations where entities are spread out over more tables as the number of different component combinations increases. The overhead of fragmentation is visible in two areas:
- Table creation
- Queries (queries have to match & iterate more tables)
Applications that make extensive use of relationships might observe high levels of fragmentation, as relationships can introduce many different combinations of components. While the Flecs storage is optimized for supporting large amounts (hundreds of thousands) of tables, fragmentation is a factor to consider when using relationships.
Fragmentation can be reduced by using union relationships. There are additional storage improvements on the roadmap that will decrease the overhead of fragmentation introduced by relationships.
Table Creation
When an id added to an entity is deleted, all references to that id are deleted from the storage (see cleanup properties). For example, when the component Position
is deleted it is removed from all entities, and all tables with the Position
component are deleted. While not unique to relationships, it is more common for relationships to trigger cleanup actions, as relationship pairs contain regular entities.
The opposite is also true. Because relationship pairs can contain regular entities which can be created on the fly, table creation is more common than in applications that do not use relationships. While Flecs is optimized for fast table creation, creating and cleaning up tables is inherently more expensive than creating/deleting an entity. Therefore table creation is a factor to consider, especially for applications that make extensive use of relationships.
Indexing
To improve the speed of evaluating queries, Flecs has indices that store all tables for a given component id. Whenever a new table is created, it is registered with the indices for the ids the table has, including ids for relationship pairs.
While registering a table for a relationship index is not more expensive than registering a table for a regular index, a table with relationships has to also register itself with the appropriate wildcard indices for its relationships. For example, a table with relationship (Likes, Apples)
registers itself with the (Likes, Apples)
, (Likes, *)
, (*, Apples)
and (*, *)
indices. For this reason, creating new tables with relationships has a higher overhead than a table without relationships.
Wildcard Queries
A wildcard query for a relationship pair, like (Likes, *)
may return multiple results for each instance of the relationship. To find all instances of a relationship, the table index (see previous section) stores two additional pieces of information:
- The
column
: At which offset in the table type does the id first occur
- The
count
: How many occurrences of the id does the table have
If the id is not a wildcard id, the number of occurrences will always be one. When the id is a wildcard, a table type may have multiple occurrences of a relationship. For wildcard queries in the form of (Likes, *)
, finding all occurrences is cheap, as a query can start at the column
and iterate the next count
members.
For wildcard queries in the form of (*, Apples)
, however, the pair ids are not stored contiguously in a table type. This means that if a table has multiple instances that match (*, Apples)
, a query will have to perform a linear search starting from column
. Once the query has found count
occurrences, it can stop searching.
The following example of a table type shows how relationships are ordered, and demonstrates why (Likes, *)
wildcards are easier to resolve than (*, Apples)
wildcards:
Npc, (Likes, Apples), (Likes, Pears), (Likes, Bananas), (Eats, Apples), (Eats, Pears)
The index for (Likes, *)
will have column=1, count=3
, whereas the index for (*, Pears)
will have column=2, count=2
. To find all occurrences of (Likes, *)
a query can start iteration at index 1 and iterate 3 elements. To find all instances of (*, Pears)
a query has to start at index 2 and scan until the second instance is found.