Skip to content

Commit

Permalink
feat(world): add viem actions for delegation (#2366)
Browse files Browse the repository at this point in the history
  • Loading branch information
tash-2s authored Mar 25, 2024
1 parent 2d2ebaa commit a09bf25
Show file tree
Hide file tree
Showing 5 changed files with 172 additions and 0 deletions.
25 changes: 25 additions & 0 deletions .changeset/nervous-nails-notice.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,25 @@
---
"@latticexyz/world": patch
---

This is an internal feature and is not ready for stable consumption yet.

Added viem custom client actions for delegation. By extending viem clients with this function after delegation, the delegation is automatically applied to World contract writes. This means that these writes are made on behalf of the delegator. Internally, it transforms the write arguments to use `callFrom`.

Usage example:

```ts
walletClient.extend(
callFrom({
worldAddress,
delegatorAddress,
publicClient, // Instead of using `publicClient`, you can pass a mapping function as shown below. This allows you to use your client store and avoid read requests.
// worldFunctionToSystemFunction: async (worldFunctionSelector) => {
// const systemFunction = useStore
// .getState()
// .getValue(tables.FunctionSelectors, { worldFunctionSelector })!;
// return { systemId: systemFunction.systemId, systemFunctionSelector: systemFunction.systemFunctionSelector };
// },
}),
);
```
1 change: 1 addition & 0 deletions packages/world/package.json
Original file line number Diff line number Diff line change
Expand Up @@ -57,6 +57,7 @@
"@arktype/util": "0.0.27",
"@latticexyz/common": "workspace:*",
"@latticexyz/config": "workspace:*",
"@latticexyz/protocol-parser": "workspace:*",
"@latticexyz/schema-type": "workspace:*",
"@latticexyz/store": "workspace:*",
"abitype": "1.0.0",
Expand Down
141 changes: 141 additions & 0 deletions packages/world/ts/actions/callFrom.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,141 @@
import {
slice,
concat,
type WalletClient,
type Transport,
type Chain,
type Account,
type Hex,
type WalletActions,
type WriteContractReturnType,
type EncodeFunctionDataParameters,
type PublicClient,
} from "viem";
import { getAction, encodeFunctionData } from "viem/utils";
import { writeContract } from "viem/actions";
import { readHex } from "@latticexyz/common";
import {
getKeySchema,
getValueSchema,
getSchemaTypes,
decodeValueArgs,
encodeKey,
} from "@latticexyz/protocol-parser/internal";
import worldConfig from "../../mud.config";
import IStoreReadAbi from "../../out/IStoreRead.sol/IStoreRead.abi.json";

// Accepts either `worldFunctionToSystemFunction` or `publicClient`, but not both.
type CallFromParameters = CallFromFunctionParameters | CallFromClientParameters;
type CallFromBaseParameters = {
worldAddress: Hex;
delegatorAddress: Hex;
};
type CallFromFunctionParameters = CallFromBaseParameters & {
worldFunctionToSystemFunction: (worldFunctionSelector: Hex) => Promise<SystemFunction>;
publicClient?: never;
};
type CallFromClientParameters = CallFromBaseParameters & {
worldFunctionToSystemFunction?: never;
publicClient: PublicClient;
};

type SystemFunction = { systemId: Hex; systemFunctionSelector: Hex };

// By extending viem clients with this function after delegation, the delegation is automatically applied to World contract writes.
// This means that these writes are made on behalf of the delegator.
// Internally, it transforms the write arguments to use `callFrom`.
//
// Accepts either `worldFunctionToSystemFunction` or `publicClient` as an argument.
// `worldFunctionToSystemFunction` allows manually providing the mapping function, thus users can utilize their client store for the lookup.
// If `publicClient` is provided instead, this function retrieves the corresponding system function from the World contract.
//
// The function mapping is cached to avoid redundant retrievals for the same World function.
export function callFrom<TChain extends Chain, TAccount extends Account>(
params: CallFromParameters,
): (client: WalletClient<Transport, TChain, TAccount>) => Pick<WalletActions<TChain, TAccount>, "writeContract"> {
return (client) => ({
// Applies to: `client.writeContract`, `getContract(client, ...).write`
writeContract: async (writeArgs): Promise<WriteContractReturnType> => {
// Skip if the contract isn't the World.
if (writeArgs.address !== params.worldAddress) {
return getAction(client, writeContract, "writeContract")(writeArgs);
}

// Encode the World's calldata (which includes the World's function selector).
const worldCalldata = encodeFunctionData({
abi: writeArgs.abi,
functionName: writeArgs.functionName,
args: writeArgs.args,
} as unknown as EncodeFunctionDataParameters);

// The first 4 bytes of calldata represent the function selector.
const worldFunctionSelector = slice(worldCalldata, 0, 4);

// Get the systemId and System's function selector.
const { systemId, systemFunctionSelector } = await worldFunctionToSystemFunction(params, worldFunctionSelector);

// Construct the System's calldata by replacing the World's function selector with the System's.
// Use `readHex` instead of `slice` to prevent out-of-bounds errors with calldata that has no args.
const systemCalldata = concat([systemFunctionSelector, readHex(worldCalldata, 4)]);

// Construct args for `callFrom`.
const callFromArgs: typeof writeArgs = {
...writeArgs,
functionName: "callFrom",
args: [params.delegatorAddress, systemId, systemCalldata],
};

// Call `writeContract` with the new args.
return getAction(client, writeContract, "writeContract")(callFromArgs);
},
});
}

const systemFunctionCache = new Map<Hex, SystemFunction>();

async function worldFunctionToSystemFunction(
params: CallFromParameters,
worldFunctionSelector: Hex,
): Promise<SystemFunction> {
const cacheKey = concat([params.worldAddress, worldFunctionSelector]);

// Use cache if the function has been called previously.
const cached = systemFunctionCache.get(cacheKey);
if (cached) return cached;

// If a mapping function is provided, use it. Otherwise, call the World contract.
const systemFunction = params.worldFunctionToSystemFunction
? await params.worldFunctionToSystemFunction(worldFunctionSelector)
: await retrieveSystemFunctionFromContract(params.publicClient, params.worldAddress, worldFunctionSelector);

systemFunctionCache.set(cacheKey, systemFunction);

return systemFunction;
}

async function retrieveSystemFunctionFromContract(
publicClient: PublicClient,
worldAddress: Hex,
worldFunctionSelector: Hex,
): Promise<SystemFunction> {
const table = worldConfig.tables.world__FunctionSelectors;

const keySchema = getSchemaTypes(getKeySchema(table));
const valueSchema = getSchemaTypes(getValueSchema(table));

const [staticData, encodedLengths, dynamicData] = await publicClient.readContract({
address: worldAddress,
abi: IStoreReadAbi,
functionName: "getRecord",
args: [table.tableId, encodeKey(keySchema, { worldFunctionSelector })],
});

const decoded = decodeValueArgs(valueSchema, { staticData, encodedLengths, dynamicData });

const systemFunction: SystemFunction = {
systemId: decoded.systemId,
systemFunctionSelector: decoded.systemFunctionSelector,
};

return systemFunction;
}
2 changes: 2 additions & 0 deletions packages/world/ts/exports/internal.ts
Original file line number Diff line number Diff line change
Expand Up @@ -7,3 +7,5 @@ export * from "../encodeSystemCall";
export * from "../encodeSystemCallFrom";
export * from "../encodeSystemCalls";
export * from "../encodeSystemCallsFrom";

export * from "../actions/callFrom";
3 changes: 3 additions & 0 deletions pnpm-lock.yaml

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

0 comments on commit a09bf25

Please sign in to comment.