Skip to main content

Migrating dApps to =nil;

This guide details how an existing dApp or a set of smart contracts can be safely migrated to =nil; while improving scalability via sharding.

To illustrate the migration process, the guide uses examples from Uniswap V2 =nil;, which is a conversion of Uniswap V2 that leverages sharding and async communications. This example is chosen for several reasons:

  • Uniswap V2 is a well-known protocol that is easy to implement
  • The core tenets of Uniswap v2 (currency pairs and the pair factory) provide many areas that can be made more scalable by distributing pair contracts across different shards
  • Converting Uniswap v2 illustrates the potential issues and blockers that may arise when simply copying and pasting existing dApps to =nil;

Overview of the migration process

The dApp migration process can be separated into three key stages.

  1. Perform the initial deployment

'Copy-and-paste' the dApp to =nil; and deploy all of its components on a single shard. Within the confines of one shard, =nil; is fully EVM-compatible and any dApp can be easily redeployed from regular Ethereum.

  1. Support the new multi-currency model and async communications

Deprecate the usage of the ERC-20 standard, replacing it with how multi-currency support is implemented on =nil;. Switch communications between smart contracts to use async calls. This will allow for placing different components of the dApp on different execution shards, improving scalability.

  1. Optimize the architecture

Maximize performance and safety by mixing async communications with sync communications where relevant.

The following sections expand on points 2 and 3.

Leveraging sharding

Sharding improves scalability by allowing for 'delegating' work to several shards at once. This creates a system similar to parallel processing: each shard can communicate with each other without having to freeze contract execution to do so.

For Uniswap v2 =nil;, this means that the factory contract can stay on one shard while currency pairs can be deployed in multiple shards to avoid congestion:

The key decision when migrating apps to =nil; is what parts of the app can be separated and divided between shards. In Uniswap v2, the factory contract is a singleton while new currency pairs can be deployed at any time, which aligns perfectly with the sharding paradigm. In other projects or dApps, separation of logic between shards may be more difficult.

How the factory contract works

The UniswapV2Factory contract uses two methods from the Nil.sol extension library:

  • calculateAddress()
  • asyncCall()

calculateAddress() determines the address of a pair contract given its bytecode, salt, and the shard where it should be deployed. asyncCall() simply sends a message to this address containing the contract bytecode, salt, the shard id, and the deploy flag set to true.

function deployPair(uint256 salt) private returns (address deployedAddress) {  
bytes memory code = abi.encodePacked(type(UniswapV2Pair).creationCode, abi.encode(msg.sender));
address contractAddress = Nil.createAddress(1, code, salt);
Nil.asyncCall(contractAddress, address(0), msg.sender, 0, 0, true, 0, abi.encodePacked(code, salt));
return contractAddress;
}

This makes it possible to easily deploy currency pairs on any shard. Since the contract address is calculated based on the shard where the contract is deployed, there is no need to store a separate mapping of shard IDs and currency pair addresses.

Contracts deployed on different shards can freely communicate with each other. However, sending messages across shards asynchronously can result in issues (e.g., currency price slippages) since there it is impossible to know when exactly an async call will be executed. In contrast, sync calls can be reliably executed one-by-one.

During migration, a simple workaround can be used to always use the safest messaging method available:

function smartCall(address dst, Nil.Token[] memory tokens, bytes memory callData) private returns (bool) {
if (Nil.getShardId(dst) == Nil.getShardId(address(this))) {
(bool success,) = Nil.syncCall(dst, gasleft(), 0, tokens, callData);
return success;
} else {
Nil.asyncCall(dst, address(0), address(0), 0, Nil.FORWARD_REMAINING, false, 0, tokens, callData);
return true;
}
}

This ensures that synchronous communications are always used when the message recipient is located on the same shard as the message sender. smartCall() or a similar workaround can be used when there is no need for fine-grain control over which contracts are deployed to which shards.

Migration of currency pairs

In =nil;, the ERC20 standard is absent. It is replaced by a more intuitive system in which any smart contract can be a currency and support all essential operations (minting, transferring and burning) as long as this smart contract is derived from NilCurrencyBase:


import "@nilfoundation/smart-contracts/contracts/NilCurrencyBase.sol";

contract CustomCurrency is NilCurrencyBase {}

Key differences

In =nil;, there is no need to send tokens to a dedicated ERC20 contract to receive approval for minting/burning/transferring. Any smart contract holding a custom currency can send this currency directly to other smart contracts in an async or a sync call.

After NilCurrencyBase is imported, the contract can mint and burn its own currency whose ID is derived from the address of the contract. This approach provides encapsulation for all typical actions performed on currency pairs (such as minting and burning liquidity tokens during during the first mint).

Additional information

Read this tutorial to learn more about minting, burning and transferring currencies.

Full minting flow

Here is a simplified overview of how currency pairs function on =nil;:

  1. Every currency pair contract can generate its own currencies which act as liquidity pool (LP) shares
  2. When minting, the user sends the currencies in the currency pair directly when calling the mint() method. There is no need to send any calls to the ERC20 contract
  3. The currencies are deposited to the currency pair prior to executing minting
  4. The pair mints LP shares that can be sent back to the user

In Uniswap v2 =nil;, the revised UniswapV2Pair contract uses methods inherited from NilCurrencyBase when minting new tokens:

function mint(address to) public lock returns (uint liquidity) {
(uint256 _reserve0, uint256 _reserve1) = getReserves(); // gas savings
uint balance0 = Nil.currencyBalance(address(this), tokenId0);
uint balance1 = Nil.currencyBalance(address(this), tokenId1);

uint amount0 = balance0.sub(_reserve0);
uint amount1 = balance1.sub(_reserve1);
uint _totalSupply = totalSupply; // gas savings, must be defined here since totalSupply can update in _mintFee

if (_totalSupply == 0) {
liquidity = Math.sqrt(amount0.mul(amount1)).sub(MINIMUM_LIQUIDITY);
totalSupply = totalSupply + liquidity; // permanently lock the first MINIMUM_LIQUIDITY
} else {
liquidity = Math.min(
amount0.mul(_totalSupply) / _reserve0,
amount1.mul(_totalSupply) / _reserve1
);
}
require(liquidity > 0, "UniswapV2: INSUFFICIENT_LIQUIDITY_MINTED");

mintCurrencyInternal(liquidity);
sendCurrencyInternal(to, getCurrencyId(), liquidity);
_update(balance0, balance1, _reserve0, _reserve1);
// if (feeOn) kLast = uint(reserve0).mul(reserve1); // reserve0 and reserve1 are p-to-date
emit Mint(msg.sender, amount0, amount1);
}

When migrating an app to =nil; make sure to adapt the code that was using the ERC20 standard to instead use the corresponding methods from NilCurrencyBase.

There are also differences in how attaining currency balances works in =nil;:

uint balance0 = Nil.currencyBalance(address(this), tokenId0);

The =nil; implementation uses the token ID to check its balance rather than its address.

Async vs sync calls

In =nil;, contracts can be deployed on shards with each shard acting as a separate blockchain. While communications on Ethereum are entirely synchronous, =nil; allows for async communications. Contracts can send messages to other contracts located on different shards without having to stop execution and wait for the message results.

Additional information

Read this tutorial to learn more about minting, burning and transferring currencies.

Async calls are used in several different areas of Uniswap v2 =nil; including contract deployment in UniswapV2Factory:

function deployPair(uint256 shard, uint256 salt) private returns (address deployedAddress) {
bytes memory code = abi.encodePacked(type(UniswapV2Pair).creationCode, abi.encode(msg.sender));
address contractAddress = Nil.createAddress(shard, code, salt);
Nil.asyncCall(contractAddress, address(0), msg.sender, 0, 0, true, 0, abi.encodePacked(code, salt));
return contractAddress;
}

function createPair(
address tokenA,
address tokenB,
uint256 salt,
uint256 shard
) public returns (address pair) {
require(tokenA != tokenB, "UniswapV2: IDENTICAL(_ADDRESSES");
(address token0, address token1) = tokenA < tokenB
? (tokenA, tokenB)
: (tokenB, tokenA);
require(token0 != address(0), "UniswapV2: ZERO_ADDRESS");
require(
getPair[token0][token1] == address(0),
"UniswapV2: PAIR_EXISTS"
);
pair = address(deployPair(shard, salt));


getPair[token0][token1] = pair;
getPair[token1][token0] = pair;
allPairs.push(pair);

emit PairCreated(token0, token1, pair, allPairs.length);
}

While the original implementation uses opcode deployment, the =nil; conversion simply sends a call to the calculated address containing the bytecode of the pair contract. This offers two advantages:

  • The factory contract can stay on one shard while currency pairs can be deployed on any number of different shards
  • The factory does not have to freeze execution while contract pairs are being deployed

Consider replacing opcode deployment with deployment via async call when migrating apps to =nil;.

Async calls can also be used to send messages to currency pair contracts. Here is an example of using asyncCall() to swap tokens:

Nil.asyncCall(
CURRENCY_PAIR_ADDRESS,
address(this),
0,
abi.encodeWithSignature("swap(uint, uint, address)", AMOUNT_ONE, AMOUNT_TWO, address(this))
);

This should avoid locking the execution of the contract that makes the async call until the tokens are swapped by the pair contract.

Note that it is also possible to use async calls to send custom currencies between contracts:


import "@nilfoundation/smart-contracts/contracts/Nil.sol";

contract AsyncCurrencySender {
function sendCurrencyAsync(uint amount, address dst) public {
Nil.Token[] memory tokens = Nil.msgTokens();
Nil.asyncCallWithTokens(
dst,
msg.sender,
address(this),
0,
Nil.FORWARD_REMAINING,
false,
0,
tokens,
""
);
}
}

Tokens can be extracted from any message by using Nil.msgTokens() and then passed to the asyncCallWithTokens() method. When migrating a dApp to =nil;, do not hesitate to deploy contracts on different shards: they will still be able to send and receive tokens from contracts on other shards.