Resources
Resources are singular data structures in an ECS world. As such, they can be thought of as components that exist only once and are not associated to an entity. Examples could be the current game/simulation tick, a grid that your entities live on, or an acceleration structure for spatial indexing.
A world can contain up to 256 resources (64 with build tag ark_tiny).
Adding resources
Resources are Go structs that can contain any types of variables, just like components.
Simply instantiate your resource and add a pointer to it to the world using AddResource,
typically during world initialization:
// Create a resource.
var worldGrid Grid = NewGrid(100, 100)
// Add it to the world.
ecs.AddResource(&world, &worldGrid)The original resource struct can be stored and modified, and changes are reflected in code that retrieves the resource from the world (see the following sections).
Direct access
Resources can be retrieved from the world by their type, with GetResource:
// Get a resource from the world.
grid := ecs.GetResource[Grid](&world)However, this method has an overhead of approx. 20ns for the type lookup. It is sufficient for one-time use of a resource. When accessing a resource regularly, Resource mappers should be used.
Resource mappers
Resource mappers are a more efficient way for retrieving a resource repeatedly.
To use them, create an Resource, store it, and use it for retrieval:
// In your system, create a resource mapper.
// Store it permanently and reuse it for best performance.
gridRes := ecs.NewResource[Grid](&world)
// Access the resource.
grid := gridRes.Get()This way, resource access takes less than 1ns.
Resource mappers can also be used the add and remove resources, and to check for their existence:
// In your system, create a resource mapper.
// Store it permanently and reuse it for best performance.
gridRes := ecs.NewResource[Grid](&world)
// Check for existence of the resource.
if gridRes.Has() {
	// Remove the resource if it exists.
	gridRes.Remove()
} else {
	// Add a new one otherwise.
	grid := NewGrid(100, 100)
	gridRes.Add(&grid)
}