ERC20MultiToken

ERC20MultiToken was inspired by ERC1155open in new window, but customized for Balancer v3. At a high level, it allows the Balancer Vault full control over Balancer Pool Token (BPT) accounting, enabling it to both mint and burn BPT directly. By centralizing both token and BPT accounting in the vault, Balancer v3 ensures atomic updates to critical pool state. In contrast to ERC1155, ERC20MultiToken allows Balancer Pool Tokens to be fully ERC20-compliant, supporting composability.

The full implementation of ERC20MultiToken can be found hereopen in new window.

The snippet below presents the storage variables implemented in ERC20MultiToken. We can see that each variable has a top level mapping that is indexed on the address of the token (pool):

// token -> (owner -> balance): Users' pool tokens balances
mapping(address => mapping(address => uint256)) private _balances;

// token -> (owner -> (spender -> allowance)): Users' allowances
mapping(address => mapping(address => mapping(address => uint256))) private _allowances;

// token -> total supply
mapping(address => uint256) private _totalSupplyOf;

Additionally, we can observe that each action mint, burn, approve, etc. Takes the pool's address as the first argument, and additionally invokes ERC20-compliant events on BalancerPoolToken.

function _approve(address token, address owner, address spender, uint256 amount) internal {
    if (owner == address(0)) {
        revert ERC20InvalidApprover(owner);
    }
    
    if (spender == address(0)) {
        revert ERC20InvalidSpender(spender);
    }
    
    _allowances[token][owner][spender] = amount;
    
    emit Approval(token, owner, spender, amount);
    // We also emit the "approve" event on the pool token to ensure full compliance with ERC20 standards.

    BalancerPoolToken(token).emitApproval(owner, spender, amount);
}

Where is the public interface?

You'll notice that ERC20MultiToken.solopen in new window contains only internal functions. You can find the public interface defined in IVaultExtension.solopen in new window and implemented in VaultExtension.solopen in new window. To ensure that the state changing public interface is always delegate-called by the vault, each function has the onlyVaultDelegateCallopen in new window modifier.

function approve(address owner, address spender, uint256 amount) external onlyVaultDelegateCall returns (bool) {
    _approve(msg.sender, owner, spender, amount);
    return true;
}

How is ERC20 compliance achieved?

ERC20MultiToken leverages the relationship between the Balancer vault and its pools to ensure that all pool tokens (BPT) are fully ERC20-compliant. For a detailed discussion on how this is achieved, refer to the BalancerPoolToken section in the docs, or go directly to the implementation hereopen in new window.