Systems
One of the design principles of MUD is to separate the state of the World from the business logic.
The business logic is implemented in stateless System contracts.
Systems are called through the World, and call back to the World to read and write state from tables.
Detailed illustration
- 
An account calls a function called game__myFuncon theWorld. This function was registered by the owner of thegamenamespace and points to themyFuncfunction in one of theSystems in thenamespacenamespace.
- 
The Worldverifies that access is permitted (for example, becausegame:Systemis publicly accessible) and if so callsmyFuncon thegame:Systemcontract with the provided parameters.
- 
At some point in its execution myFuncdecides to update the data in the tablegame:Items. As with all other tables, this table is stored in theWorld's storage. To modify it,functioncalls a function on theWorldcontract.
- 
The Worldverifies that access is permitted (by default it would be, becausegame:Systemhas access to thegamenamespace). If so, it modifies the data in thegame:Itemstable.
The World serves as a central entry point and forwards calls to systems, which allows it to provide access control.
Calling systems
To call a System, you call the World in one of these ways:
- If a function selector for the Systemis registered in theWorld, you can call it viaworld.<namespace>__<function>(<arguments>).
- You can use call(opens in a new tab).
- If you have the proper delegation you can use callFrom(opens in a new tab).
Using call
To use call you create the calldata to send the called System and use that as a parameter.
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.24;
 
import { Script } from "forge-std/Script.sol";
import { console } from "forge-std/console.sol";
import { StoreSwitch } from "@latticexyz/store/src/StoreSwitch.sol";
 
import { IWorld } from "../src/codegen/world/IWorld.sol";
import { Tasks, TasksData } from "../src/codegen/index.sol";
 
import { ResourceId, WorldResourceIdLib, WorldResourceIdInstance } from "@latticexyz/world/src/WorldResourceId.sol";
import { RESOURCE_SYSTEM } from "@latticexyz/world/src/worldResourceTypes.sol";
 
contract Call is Script {
  function run() external {
    address worldAddress = 0xC14fBdb7808D9e2a37c1a45b635C8C3fF64a1cc1;
 
    // Load the private key from the `PRIVATE_KEY` environment variable (in .env)
    uint256 deployerPrivateKey = vm.envUint("PRIVATE_KEY");
 
    // Start broadcasting transactions from the deployer account
    vm.startBroadcast(deployerPrivateKey);
 
    ResourceId systemId = WorldResourceIdLib.encode({ typeId: RESOURCE_SYSTEM, namespace: "", name: "TasksSystem" });
 
    bytes memory returnData = IWorld(worldAddress).call(
      systemId,
      abi.encodeWithSignature("addTask(string)", "Test task")
    );
 
    console.log("The return value is:");
    console.logBytes(returnData);
 
    vm.stopBroadcast();
  }
}Explanation
import { ResourceId, WorldResourceIdLib, WorldResourceIdInstance } from "@latticexyz/world/src/WorldResourceId.sol";
import { RESOURCE_SYSTEM } from "@latticexyz/world/src/worldResourceTypes.sol";
.
.
.
ResourceId systemId = WorldResourceIdLib.encode({
  typeId: RESOURCE_SYSTEM,
  namespace: "",
  name: "TasksSystem"
});Create a ResourceId for the System.
bytes memory returnData =
  IWorld(worldAddress).
    call(systemId, abi.encodeWithSignature("addTask(string)", "Test task"));Call the System. The calldata is created using abi.encodeWithSignature (opens in a new tab).
The return data is of type bytes memory (opens in a new tab).
Writing systems
This page is about the technical details of programming a System. See
here for design best practices.
A System should not have any internal state, but store all of it in tables in the World.
There are several reasons for this:
- It allows a Worldto enforce access controls.
- It allows the same Systemto be used by multipleWorldcontracts.
- Upgrades are a lot simpler when all the state is centralized outside of the Systemcontract.
Because calls to systems are proxied through the World, some message fields don't reflect the original call.
Use these substitutes:
| Vanilla Solidity | Systemreplacement | 
|---|---|
| msg.sender | _msgSender() | 
| msg.value | _msgValue() | 
When calling other contracts from a System, be aware that if you use delegatecall the called contract inherits the System's permissions and can modify data in the World on behalf of the System.
Calling one System from another
Sometimes there are easier alternatives than calling a System from
another.
There are two ways to call one System from another one.
| Call type | callto theWorld | delegatecalldirectly to theSystem | 
|---|---|---|
| Permissions | those of the called System | those of the calling System | 
| _msgSender() | calling System(unless you can usecallFrom, which is only available when the user delegates to yourSystem) | can use WorldContextProvider(opens in a new tab) to transfer the correct information | 
| _msgValue() | zero | can use WorldContextProvider(opens in a new tab) to transfer the correct information | 
| Can be used by systems in the root namespace | No (it's a security measure) | Yes | 
Calling from a root System
For security reasons the World cannot call itself.
A System in the root namespace runs in the World context, and therefore cannot call the World either.
You could use
delegatecall (opens in a new tab),
but you should only do it if it's necessary. A root System acts as the World, so a delegatecall from a root
System behaves exactly like a delegatecall from the World. Any contract you delegatecall inherits your
permissions, in this case unlimited access to the World and the ability to change everything.
An alternative solution is for the root System to do exactly what the World does with a normal call: check for access permission, run before hook (if configured), call the System, and then run the after hook (if configured).
To do that, you can use SystemCall.callWithHooks() (opens in a new tab).
If you need to specify values for _msgSender() and _msgValue() to provide for the called System, you can use WorldContextProviderLib.callWithContext (opens in a new tab).
Note that this function is extremely low level, and if you use it you have to process hooks and access control yourself.
SystemSwitch
If your System needs run both from the root namespace and from other namespaces, you can call other Systems using SystemSwitch (opens in a new tab).
- 
Import SystemSwitch.import { SystemSwitch } from "@latticexyz/world-modules/src/utils/SystemSwitch.sol";
- 
Import the interface for the system you wish to call. import { IIncrementSystem } from "../codegen/world/IIncrementSystem.sol";
- 
Call the function using SystemSwitch.call. For example, here is how you can callIncrementSystem.increment().uint32 returnValue = abi.decode( SystemSwitch.call( abi.encodeCall(IIncrementSystem.increment, ()) ), (uint32) );Explanationabi.encodeCall(IIncrementSystem.increment, ())Use abi.encodeCall(opens in a new tab) to create the calldata. The first parameter is a pointer to the function. The second parameter is a tuple (opens in a new tab) with the function parameters. In this case, there aren't any.The advantage of abi.encodeCallis that it checks the types of the function parameters are correct.SystemSwitch.call( abi.encodeCall(...) )Using SystemSwitch.callwith the calldata created byabi.encodeCall.SystemSwitch.calltakes care of figuring out details, such as what type of call to use.uint32 retval = abi.decode( SystemSwitch.call(...), (uint32) );Use abi.decode(opens in a new tab) to decode the call's return value. The second parameter is the data type (or types if there are multiple return values).
Registering systems
For a System to be callable from a World it has to be registered (opens in a new tab).
Only the namespace owner can register a System in a namespace.
Systems can be registered once per World, but the same system can be registered in multiple Worlds.
If you need multiple instances of a System in the same world, you can deploy the System multiple times and register the individual deployments individually.
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.21;
 
import { Script } from "forge-std/Script.sol";
import { console } from "forge-std/console.sol";
import { IBaseWorld } from "@latticexyz/world-modules/src/interfaces/IBaseWorld.sol";
import { WorldRegistrationSystem } from "@latticexyz/world/src/modules/core/implementations/WorldRegistrationSystem.sol";
 
// Create resource identifiers (for the namespace and system)
import { ResourceId } from "@latticexyz/store/src/ResourceId.sol";
import { WorldResourceIdLib } from "@latticexyz/world/src/WorldResourceId.sol";
import { RESOURCE_SYSTEM } from "@latticexyz/world/src/worldResourceTypes.sol";
 
// For registering the table
import { Messages, MessagesTableId } from "../src/codegen/index.sol";
import { IStore } from "@latticexyz/store/src/IStore.sol";
import { StoreSwitch } from "@latticexyz/store/src/StoreSwitch.sol";
 
// For deploying MessageSystem
import { MessageSystem } from "../src/systems/MessageSystem.sol";
 
contract MessagingExtension is Script {
  function run() external {
    uint256 deployerPrivateKey = vm.envUint("PRIVATE_KEY");
    address worldAddress = vm.envAddress("WORLD_ADDRESS");
    WorldRegistrationSystem world = WorldRegistrationSystem(worldAddress);
    ResourceId namespaceResource = WorldResourceIdLib.encodeNamespace(bytes14("messaging"));
    ResourceId systemResource = WorldResourceIdLib.encode(RESOURCE_SYSTEM, "messaging", "MessageSystem");
 
    vm.startBroadcast(deployerPrivateKey);
 
    world.registerNamespace(namespaceResource);
    StoreSwitch.setStoreAddress(worldAddress);
    Messages.register();
    MessageSystem messageSystem = new MessageSystem();
    world.registerSystem(systemResource, messageSystem, true);
    world.registerFunctionSelector(systemResource, "incrementMessage(string)");
 
    vm.stopBroadcast();
  }
}System registration requires several steps:
- Create the resource ID for the System.
- Deploy the Systemcontract.
- Use WorldRegistrationSystem.registerSystem(opens in a new tab) to register theSystem. This function takes three parameters:- The ResourceId for the System.
- The address of the Systemcontract.
- Access control - whether access to the Systemis public (true) or limited to entities with access either to the namespace or theSystemitself (false).
 
 
- The ResourceId for the 
- Optionally, register function selectors for the System.
Upgrading systems
The namespace owner can upgrade a System.
This is a two-step process: deploy the contract for the new System and then call registerSystem with the same ResourceId as the old one and the new contract address.
This upgrade process removes the old System contract's access to the namespace, and gives access to the new contract.
Any access granted manually to the old System is not revoked, nor granted to the upgraded System.
Note: You should make sure to remove any such manually granted access.
MUD access is based on the contract address, so somebody else could register a namespace they'd own, register the old System contract as a system in their namespace, and then abuse those permissions (if the System has code that can be used for that, of course).
Sample code
// SPDX-License-Identifier: MIT
pragma solidity >=0.8.24;
 
import { Script } from "forge-std/Script.sol";
import { console } from "forge-std/console.sol";
import { System } from "@latticexyz/world/src/System.sol";
 
import { IWorld } from "../src/codegen/world/IWorld.sol";
import { Counter } from "../src/codegen/index.sol";
 
import { ResourceId, WorldResourceIdLib, WorldResourceIdInstance } from "@latticexyz/world/src/WorldResourceId.sol";
import { RESOURCE_SYSTEM } from "@latticexyz/world/src/worldResourceTypes.sol";
 
contract IncrementSystem2 is System {
  function increment() public returns (uint32) {
    uint32 counter = Counter.get();
    uint32 newValue = counter + 2;
    Counter.set(newValue);
    return newValue;
  }
}
 
contract UpdateASystem is Script {
  function run() external {
    address worldAddress = 0xC14fBdb7808D9e2a37c1a45b635C8C3fF64a1cc1;
 
    // Load the private key from the `PRIVATE_KEY` environment variable (in .env)
    uint256 deployerPrivateKey = vm.envUint("PRIVATE_KEY");
 
    // Start broadcasting transactions from the deployer account
    vm.startBroadcast(deployerPrivateKey);
 
    // Deploy IncrementSystem2
    IncrementSystem2 incrementSystem2 = new IncrementSystem2();
 
    ResourceId systemId = WorldResourceIdLib.encode({
      typeId: RESOURCE_SYSTEM,
      namespace: "",
      name: "IncrementSystem"
    });
 
    IWorld(worldAddress).registerSystem(systemId, incrementSystem2, true);
 
    vm.stopBroadcast();
  }
}Explanation
import { ResourceId, WorldResourceIdLib, WorldResourceIdInstance } from "@latticexyz/world/src/WorldResourceId.sol";
import { RESOURCE_SYSTEM } from "@latticexyz/world/src/worldResourceTypes.sol";To upgrade a System we need the resource ID for it.
contract IncrementSystem2 is System {
  function increment() public returns (uint32) {
    uint32 counter = Counter.get();
    uint32 newValue = counter + 2;
    Counter.set(newValue);
    return newValue;
  }
}The new System.
It needs to implement the same public functions as the System being replaced.
    ...
 
    // Deploy IncrementSystem2
    IncrementSystem2 incrementSystem2 = new IncrementSystem2();Deploy the new System.
    ResourceId systemId = WorldResourceIdLib.encode(
      { typeId: RESOURCE_SYSTEM,
        namespace: "",
        name: "IncrementSystem"
      });Get the ResourceId for the System.
    IWorld(worldAddress).registerSystem(systemId, incrementSystem2, true);Register the new System.
This removes the existing System and the access automatically granted to it.
Access control
When you register a System, you can specify whether it is going to be private or public.
- 
A public Systemhas no access control checks, it can be called by anybody. This is the main mechanism for user interaction with a MUD application.
- 
A private Systemcan only be called by accounts that have access. This access can be the result of:- Access permission to the namespace in which the Systemis registered.
- Access permission specifically to the System.
 
- Access permission to the namespace in which the 
Note that Systems have access to their own namespace by default, so public Systems can call private Systems in their namespace.
Root systems
The World uses call for systems in other namespaces, but delegatecall for those in the root namespace (bytes14(0)).
As a result, root systems have access to the World contract's storage.
Because of this access, root systems use the internal StoreCore methods (opens in a new tab), which are slightly cheaper than calling the external IStore methods (opens in a new tab) used by other systems.
Note that the table libraries abstract this difference, so normally there is no reason to be concerned about it.
Another effect of having access to the storage of the World is that root systems could, in theory, overwrite any information in any table regardless of access control.
Only the owner of the root namespace can register root systems.
We recommend to only use the root namespace when strictly necessary.