add ethereum NFT bridge
Change-Id: I5cc8cfe431f5f9b043adc7baf662760ffe9e7a35
This commit is contained in:
parent
a2b3d111f4
commit
6ff21f8d01
|
@ -29,6 +29,14 @@ RUN --mount=type=cache,target=/root/.cache \
|
|||
npm run build-contracts && \
|
||||
npm run build
|
||||
|
||||
ADD clients/nft_bridge /usr/src/clients/nft_bridge
|
||||
WORKDIR /usr/src/clients/nft_bridge
|
||||
RUN --mount=type=cache,target=/root/.cache \
|
||||
--mount=type=cache,target=/root/.npm \
|
||||
set -xe && \
|
||||
npm ci && \
|
||||
npm run build-contracts && \
|
||||
npm run build
|
||||
|
||||
ADD solana /usr/src/solana
|
||||
ADD proto /usr/src/proto
|
||||
|
|
|
@ -82,7 +82,7 @@ export const TERRA_HOST =
|
|||
export const ETH_TEST_TOKEN_ADDRESS = getAddress(
|
||||
CLUSTER === "testnet"
|
||||
? "0xcEE940033DA197F551BBEdED7F4aA55Ee55C582B"
|
||||
: "0x67B5656d60a809915323Bf2C40A8bEF15A152e3e"
|
||||
: "0x0E696947A06550DEf604e82C26fd9E493e576337"
|
||||
);
|
||||
export const ETH_BRIDGE_ADDRESS = getAddress(
|
||||
CLUSTER === "testnet"
|
||||
|
|
|
@ -0,0 +1,326 @@
|
|||
import yargs from "yargs";
|
||||
|
||||
const {hideBin} = require('yargs/helpers')
|
||||
|
||||
import * as bridge from "bridge";
|
||||
import * as elliptic from "elliptic";
|
||||
import * as ethers from "ethers";
|
||||
import * as nft_bridge from "nft-bridge";
|
||||
import * as web3s from '@solana/web3.js';
|
||||
|
||||
import {BridgeImplementation__factory} from "./src/ethers-contracts";
|
||||
import {PublicKey, TransactionInstruction, AccountMeta, Keypair, Connection} from "@solana/web3.js";
|
||||
import {solidityKeccak256} from "ethers/lib/utils";
|
||||
|
||||
const signAndEncodeVM = function (
|
||||
timestamp,
|
||||
nonce,
|
||||
emitterChainId,
|
||||
emitterAddress,
|
||||
sequence,
|
||||
data,
|
||||
signers,
|
||||
guardianSetIndex,
|
||||
consistencyLevel
|
||||
) {
|
||||
const body = [
|
||||
ethers.utils.defaultAbiCoder.encode(["uint32"], [timestamp]).substring(2 + (64 - 8)),
|
||||
ethers.utils.defaultAbiCoder.encode(["uint32"], [nonce]).substring(2 + (64 - 8)),
|
||||
ethers.utils.defaultAbiCoder.encode(["uint16"], [emitterChainId]).substring(2 + (64 - 4)),
|
||||
ethers.utils.defaultAbiCoder.encode(["bytes32"], [emitterAddress]).substring(2),
|
||||
ethers.utils.defaultAbiCoder.encode(["uint64"], [sequence]).substring(2 + (64 - 16)),
|
||||
ethers.utils.defaultAbiCoder.encode(["uint8"], [consistencyLevel]).substring(2 + (64 - 2)),
|
||||
data.substr(2)
|
||||
]
|
||||
|
||||
const hash = solidityKeccak256(["bytes"], [solidityKeccak256(["bytes"], ["0x" + body.join("")])])
|
||||
|
||||
let signatures = "";
|
||||
|
||||
for (let i in signers) {
|
||||
const ec = new elliptic.ec("secp256k1");
|
||||
const key = ec.keyFromPrivate(signers[i]);
|
||||
const signature = key.sign(Buffer.from(hash.substr(2), "hex"), {canonical: true});
|
||||
|
||||
const packSig = [
|
||||
ethers.utils.defaultAbiCoder.encode(["uint8"], [i]).substring(2 + (64 - 2)),
|
||||
zeroPadBytes(signature.r.toString(16), 32),
|
||||
zeroPadBytes(signature.s.toString(16), 32),
|
||||
ethers.utils.defaultAbiCoder.encode(["uint8"], [signature.recoveryParam]).substr(2 + (64 - 2)),
|
||||
]
|
||||
|
||||
signatures += packSig.join("")
|
||||
}
|
||||
|
||||
const vm = [
|
||||
ethers.utils.defaultAbiCoder.encode(["uint8"], [1]).substring(2 + (64 - 2)),
|
||||
ethers.utils.defaultAbiCoder.encode(["uint32"], [guardianSetIndex]).substring(2 + (64 - 8)),
|
||||
ethers.utils.defaultAbiCoder.encode(["uint8"], [signers.length]).substring(2 + (64 - 2)),
|
||||
|
||||
signatures,
|
||||
body.join("")
|
||||
].join("");
|
||||
|
||||
return vm
|
||||
}
|
||||
|
||||
function zeroPadBytes(value, length) {
|
||||
while (value.length < 2 * length) {
|
||||
value = "0" + value;
|
||||
}
|
||||
return value;
|
||||
}
|
||||
|
||||
yargs(hideBin(process.argv))
|
||||
.command('generate_register_chain_vaa [chain_id] [contract_address]', 'create a VAA to register a chain (debug-only)', (yargs) => {
|
||||
return yargs
|
||||
.positional('chain_id', {
|
||||
describe: 'chain id to register',
|
||||
type: "number",
|
||||
required: true
|
||||
})
|
||||
.positional('contract_address', {
|
||||
describe: 'contract to register',
|
||||
type: "string",
|
||||
required: true
|
||||
})
|
||||
}, async (argv: any) => {
|
||||
let data = [
|
||||
"0x",
|
||||
"00000000000000000000000000000000000000000000004e4654427269646765", // NFT Bridge header
|
||||
"01",
|
||||
"0000",
|
||||
ethers.utils.defaultAbiCoder.encode(["uint16"], [argv.chain_id]).substring(2 + (64 - 4)),
|
||||
ethers.utils.defaultAbiCoder.encode(["bytes32"], [argv.contract_address]).substring(2),
|
||||
].join('')
|
||||
|
||||
const vm = signAndEncodeVM(
|
||||
1,
|
||||
1,
|
||||
1,
|
||||
"0x0000000000000000000000000000000000000000000000000000000000000004",
|
||||
0,
|
||||
data,
|
||||
[
|
||||
"cfb12303a19cde580bb4dd771639b0d26bc68353645571a8cff516ab2ee113a0"
|
||||
],
|
||||
0,
|
||||
0
|
||||
);
|
||||
|
||||
console.log(vm)
|
||||
})
|
||||
.command('solana execute_governance_vaa [vaa]', 'execute a governance VAA on Solana', (yargs) => {
|
||||
return yargs
|
||||
.positional('vaa', {
|
||||
describe: 'vaa to post',
|
||||
type: "string",
|
||||
required: true
|
||||
})
|
||||
.option('rpc', {
|
||||
alias: 'u',
|
||||
type: 'string',
|
||||
description: 'URL of the Solana RPC',
|
||||
default: "http://localhost:8899"
|
||||
})
|
||||
.option('bridge', {
|
||||
alias: 'b',
|
||||
type: 'string',
|
||||
description: 'Bridge address',
|
||||
default: "Bridge1p5gheXUvJ6jGWGeCsgPKgnE3YgdGKRVCMY9o"
|
||||
})
|
||||
.option('nft_bridge', {
|
||||
alias: 't',
|
||||
type: 'string',
|
||||
description: 'NFT Bridge address',
|
||||
default: "NFTWqJR8YnRVqPDvTJrYuLrQDitTG5AScqbeghi4zSA"
|
||||
})
|
||||
}, async (argv: any) => {
|
||||
let connection = setupConnection(argv);
|
||||
let bridge_id = new PublicKey(argv.bridge);
|
||||
let nft_bridge_id = new PublicKey(argv.nft_bridge);
|
||||
|
||||
// Generate a new random public key
|
||||
let from = web3s.Keypair.generate();
|
||||
let airdropSignature = await connection.requestAirdrop(
|
||||
from.publicKey,
|
||||
web3s.LAMPORTS_PER_SOL,
|
||||
);
|
||||
await connection.confirmTransaction(airdropSignature);
|
||||
|
||||
let vaa = Buffer.from(argv.vaa, "hex");
|
||||
await post_vaa(connection, bridge_id, from, vaa);
|
||||
|
||||
let parsed_vaa = await bridge.parse_vaa(vaa);
|
||||
let ix: TransactionInstruction;
|
||||
switch (parsed_vaa.payload[32]) {
|
||||
case 1:
|
||||
console.log("Registering chain")
|
||||
ix = nft_bridge.register_chain_ix(nft_bridge_id.toString(), bridge_id.toString(), from.publicKey.toString(), vaa);
|
||||
break
|
||||
case 2:
|
||||
console.log("Upgrading contract")
|
||||
ix = nft_bridge.upgrade_contract_ix(nft_bridge_id.toString(), bridge_id.toString(), from.publicKey.toString(), from.publicKey.toString(), vaa);
|
||||
break
|
||||
default:
|
||||
throw new Error("unknown governance action")
|
||||
}
|
||||
let transaction = new web3s.Transaction().add(ixFromRust(ix));
|
||||
|
||||
// Sign transaction, broadcast, and confirm
|
||||
let signature = await web3s.sendAndConfirmTransaction(
|
||||
connection,
|
||||
transaction,
|
||||
[from],
|
||||
{
|
||||
skipPreflight: true
|
||||
}
|
||||
);
|
||||
console.log('SIGNATURE', signature);
|
||||
})
|
||||
.command('eth execute_governance_vaa [vaa]', 'execute a governance VAA on Solana', (yargs) => {
|
||||
return yargs
|
||||
.positional('vaa', {
|
||||
describe: 'vaa to post',
|
||||
type: "string",
|
||||
required: true
|
||||
})
|
||||
.option('rpc', {
|
||||
alias: 'u',
|
||||
type: 'string',
|
||||
description: 'URL of the ETH RPC',
|
||||
default: "http://localhost:8545"
|
||||
})
|
||||
.option('nft_bridge', {
|
||||
alias: 't',
|
||||
type: 'string',
|
||||
description: 'NFT Bridge address',
|
||||
default: "0x26b4afb60d6c903165150c6f0aa14f8016be4aec"
|
||||
})
|
||||
.option('key', {
|
||||
alias: 'k',
|
||||
type: 'string',
|
||||
description: 'Private key of the wallet',
|
||||
default: "0x4f3edf983ac636a65a842ce7c78d9aa706d3b113bce9c46f30d7d21715b23b1d"
|
||||
})
|
||||
}, async (argv: any) => {
|
||||
let provider = new ethers.providers.JsonRpcProvider(argv.rpc)
|
||||
let signer = new ethers.Wallet(argv.key, provider)
|
||||
let t = new BridgeImplementation__factory(signer);
|
||||
let tb = t.attach(argv.nft_bridge);
|
||||
|
||||
let vaa = Buffer.from(argv.vaa, "hex");
|
||||
let parsed_vaa = await bridge.parse_vaa(vaa);
|
||||
|
||||
switch (parsed_vaa.payload[32]) {
|
||||
case 1:
|
||||
console.log("Registering chain")
|
||||
console.log("Hash: " + (await tb.registerChain(vaa)).hash)
|
||||
break
|
||||
case 2:
|
||||
console.log("Upgrading contract")
|
||||
console.log("Hash: " + (await tb.upgrade(vaa)).hash)
|
||||
break
|
||||
default:
|
||||
throw new Error("unknown governance action")
|
||||
}
|
||||
})
|
||||
.argv;
|
||||
|
||||
async function post_vaa(connection: Connection, bridge_id: PublicKey, payer: Keypair, vaa: Buffer) {
|
||||
let bridge_state = await get_bridge_state(connection, bridge_id);
|
||||
let guardian_addr = new PublicKey(bridge.guardian_set_address(bridge_id.toString(), bridge_state.guardian_set_index));
|
||||
let acc = await connection.getAccountInfo(guardian_addr);
|
||||
if (acc?.data === undefined) {
|
||||
return
|
||||
}
|
||||
let guardian_data = bridge.parse_guardian_set(new Uint8Array(acc?.data));
|
||||
|
||||
let signature_set = Keypair.generate();
|
||||
let txs = bridge.verify_signatures_ix(bridge_id.toString(), payer.publicKey.toString(), bridge_state.guardian_set_index, guardian_data, signature_set.publicKey.toString(), vaa)
|
||||
// Add transfer instruction to transaction
|
||||
for (let tx of txs) {
|
||||
let ixs: Array<TransactionInstruction> = tx.map((v: any) => {
|
||||
return ixFromRust(v)
|
||||
})
|
||||
let transaction = new web3s.Transaction().add(ixs[0], ixs[1]);
|
||||
|
||||
// Sign transaction, broadcast, and confirm
|
||||
await web3s.sendAndConfirmTransaction(
|
||||
connection,
|
||||
transaction,
|
||||
[payer, signature_set],
|
||||
{
|
||||
skipPreflight: true
|
||||
}
|
||||
);
|
||||
}
|
||||
|
||||
let ix = ixFromRust(bridge.post_vaa_ix(bridge_id.toString(), payer.publicKey.toString(), signature_set.publicKey.toString(), vaa));
|
||||
let transaction = new web3s.Transaction().add(ix);
|
||||
|
||||
// Sign transaction, broadcast, and confirm
|
||||
let signature = await web3s.sendAndConfirmTransaction(
|
||||
connection,
|
||||
transaction,
|
||||
[payer],
|
||||
{
|
||||
skipPreflight: true
|
||||
}
|
||||
);
|
||||
console.log('SIGNATURE', signature);
|
||||
}
|
||||
|
||||
async function get_bridge_state(connection: Connection, bridge_id: PublicKey): Promise<BridgeState> {
|
||||
let bridge_state = new PublicKey(bridge.state_address(bridge_id.toString()));
|
||||
let acc = await connection.getAccountInfo(bridge_state);
|
||||
if (acc?.data === undefined) {
|
||||
throw new Error("bridge state not found")
|
||||
}
|
||||
return bridge.parse_state(new Uint8Array(acc?.data));
|
||||
}
|
||||
|
||||
function setupConnection(argv: yargs.Arguments): web3s.Connection {
|
||||
return new web3s.Connection(
|
||||
argv.rpc as string,
|
||||
'confirmed',
|
||||
);
|
||||
}
|
||||
|
||||
function ixFromRust(data: any): TransactionInstruction {
|
||||
let keys: Array<AccountMeta> = data.accounts.map(accountMetaFromRust)
|
||||
return new TransactionInstruction({
|
||||
programId: new PublicKey(data.program_id),
|
||||
data: Buffer.from(data.data),
|
||||
keys: keys,
|
||||
})
|
||||
}
|
||||
|
||||
function accountMetaFromRust(meta: any): AccountMeta {
|
||||
return {
|
||||
pubkey: new PublicKey(meta.pubkey),
|
||||
isSigner: meta.is_signer,
|
||||
isWritable: meta.is_writable,
|
||||
}
|
||||
}
|
||||
|
||||
interface BridgeState {
|
||||
// The current guardian set index, used to decide which signature sets to accept.
|
||||
guardian_set_index: number,
|
||||
|
||||
// Lamports in the collection account
|
||||
last_lamports: number,
|
||||
|
||||
// Bridge configuration, which is set once upon initialization.
|
||||
config: BridgeConfig,
|
||||
}
|
||||
|
||||
interface BridgeConfig {
|
||||
// Period for how long a guardian set is valid after it has been replaced by a new one. This
|
||||
// guarantees that VAAs issued by that set can still be submitted for a certain period. In
|
||||
// this period we still trust the old guardian set.
|
||||
guardian_set_expiration_time: number,
|
||||
|
||||
// Amount of lamports that needs to be paid to the protocol to post a message
|
||||
fee: number,
|
||||
}
|
File diff suppressed because it is too large
Load Diff
|
@ -0,0 +1,34 @@
|
|||
{
|
||||
"name": "wormhole-client-solana",
|
||||
"version": "1.0.0",
|
||||
"dependencies": {
|
||||
"@solana/web3.js": "^1.22.0",
|
||||
"@typechain/ethers-v5": "^7.0.1",
|
||||
"bn.js": "^5.2.0",
|
||||
"bs58": "^4.0.1",
|
||||
"buffer-layout": "^1.2.2",
|
||||
"ethers": "^5.4.1",
|
||||
"js-base64": "^3.6.1",
|
||||
"npm": "^7.20.0",
|
||||
"web3": "^1.5.0",
|
||||
"yargs": "^17.0.1"
|
||||
},
|
||||
"scripts": {
|
||||
"start": "tsc && node main.js",
|
||||
"build": "tsc",
|
||||
"test": "echo \"Error: no test specified\" && exit 1",
|
||||
"build-contracts": "npm run build --prefix ../../ethereum && node scripts/copyContracts.js && typechain --target=ethers-v5 --out-dir=src/ethers-contracts contracts/*.json"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@openzeppelin/contracts": "^4.2.0",
|
||||
"@truffle/hdwallet-provider": "^1.4.1",
|
||||
"@types/bn.js": "^5.1.0",
|
||||
"@types/bs58": "^4.0.1",
|
||||
"@types/yargs": "^17.0.2",
|
||||
"bridge": "file:./pkg/core",
|
||||
"copy-dir": "^1.3.0",
|
||||
"nft-bridge": "file:./pkg/nft",
|
||||
"truffle": "^5.4.1",
|
||||
"typescript": "^4.3.5"
|
||||
}
|
||||
}
|
|
@ -0,0 +1,2 @@
|
|||
const copydir = require("copy-dir");
|
||||
copydir.sync("../../ethereum/build/contracts", "./contracts");
|
|
@ -0,0 +1,72 @@
|
|||
{
|
||||
"compilerOptions": {
|
||||
/* Visit https://aka.ms/tsconfig.json to read more about this file */
|
||||
|
||||
/* Basic Options */
|
||||
// "incremental": true, /* Enable incremental compilation */
|
||||
"target": "es5", /* Specify ECMAScript target version: 'ES3' (default), 'ES5', 'ES2015', 'ES2016', 'ES2017', 'ES2018', 'ES2019', 'ES2020', 'ES2021', or 'ESNEXT'. */
|
||||
"module": "commonjs", /* Specify module code generation: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', 'es2020', or 'ESNext'. */
|
||||
// "lib": [], /* Specify library files to be included in the compilation. */
|
||||
// "allowJs": true, /* Allow javascript files to be compiled. */
|
||||
// "checkJs": true, /* Report errors in .js files. */
|
||||
// "jsx": "preserve", /* Specify JSX code generation: 'preserve', 'react-native', 'react', 'react-jsx' or 'react-jsxdev'. */
|
||||
// "declaration": true, /* Generates corresponding '.d.ts' file. */
|
||||
// "declarationMap": true, /* Generates a sourcemap for each corresponding '.d.ts' file. */
|
||||
// "sourceMap": true, /* Generates corresponding '.map' file. */
|
||||
// "outFile": "./", /* Concatenate and emit output to single file. */
|
||||
// "outDir": "./", /* Redirect output structure to the directory. */
|
||||
// "rootDir": "./", /* Specify the root directory of input files. Use to control the output directory structure with --outDir. */
|
||||
// "composite": true, /* Enable project compilation */
|
||||
// "tsBuildInfoFile": "./", /* Specify file to store incremental compilation information */
|
||||
// "removeComments": true, /* Do not emit comments to output. */
|
||||
// "noEmit": true, /* Do not emit outputs. */
|
||||
// "importHelpers": true, /* Import emit helpers from 'tslib'. */
|
||||
// "downlevelIteration": true, /* Provide full support for iterables in 'for-of', spread, and destructuring when targeting 'ES5' or 'ES3'. */
|
||||
// "isolatedModules": true, /* Transpile each file as a separate module (similar to 'ts.transpileModule'). */
|
||||
|
||||
/* Strict Type-Checking Options */
|
||||
"strict": true, /* Enable all strict type-checking options. */
|
||||
"noImplicitAny": false, /* Raise error on expressions and declarations with an implied 'any' type. */
|
||||
// "strictNullChecks": true, /* Enable strict null checks. */
|
||||
// "strictFunctionTypes": true, /* Enable strict checking of function types. */
|
||||
// "strictBindCallApply": true, /* Enable strict 'bind', 'call', and 'apply' methods on functions. */
|
||||
// "strictPropertyInitialization": true, /* Enable strict checking of property initialization in classes. */
|
||||
// "noImplicitThis": true, /* Raise error on 'this' expressions with an implied 'any' type. */
|
||||
// "alwaysStrict": true, /* Parse in strict mode and emit "use strict" for each source file. */
|
||||
|
||||
/* Additional Checks */
|
||||
// "noUnusedLocals": true, /* Report errors on unused locals. */
|
||||
// "noUnusedParameters": true, /* Report errors on unused parameters. */
|
||||
// "noImplicitReturns": true, /* Report error when not all code paths in function return a value. */
|
||||
// "noFallthroughCasesInSwitch": true, /* Report errors for fallthrough cases in switch statement. */
|
||||
// "noUncheckedIndexedAccess": true, /* Include 'undefined' in index signature results */
|
||||
// "noImplicitOverride": true, /* Ensure overriding members in derived classes are marked with an 'override' modifier. */
|
||||
// "noPropertyAccessFromIndexSignature": true, /* Require undeclared properties from index signatures to use element accesses. */
|
||||
|
||||
/* Module Resolution Options */
|
||||
"moduleResolution": "node", /* Specify module resolution strategy: 'node' (Node.js) or 'classic' (TypeScript pre-1.6). */
|
||||
// "baseUrl": "./", /* Base directory to resolve non-absolute module names. */
|
||||
// "paths": {}, /* A series of entries which re-map imports to lookup locations relative to the 'baseUrl'. */
|
||||
// "rootDirs": [], /* List of root folders whose combined content represents the structure of the project at runtime. */
|
||||
// "typeRoots": [], /* List of folders to include type definitions from. */
|
||||
// "types": [], /* Type declaration files to be included in compilation. */
|
||||
// "allowSyntheticDefaultImports": true, /* Allow default imports from modules with no default export. This does not affect code emit, just typechecking. */
|
||||
"esModuleInterop": true, /* Enables emit interoperability between CommonJS and ES Modules via creation of namespace objects for all imports. Implies 'allowSyntheticDefaultImports'. */
|
||||
// "preserveSymlinks": true, /* Do not resolve the real path of symlinks. */
|
||||
// "allowUmdGlobalAccess": true, /* Allow accessing UMD globals from modules. */
|
||||
|
||||
/* Source Map Options */
|
||||
// "sourceRoot": "", /* Specify the location where debugger should locate TypeScript files instead of source locations. */
|
||||
// "mapRoot": "", /* Specify the location where debugger should locate map files instead of generated locations. */
|
||||
// "inlineSourceMap": true, /* Emit a single file with source maps instead of having a separate file. */
|
||||
// "inlineSources": true, /* Emit the source alongside the sourcemaps within a single file; requires '--inlineSourceMap' or '--sourceMap' to be set. */
|
||||
|
||||
/* Experimental Options */
|
||||
// "experimentalDecorators": true, /* Enables experimental support for ES7 decorators. */
|
||||
// "emitDecoratorMetadata": true, /* Enables experimental support for emitting type metadata for decorators. */
|
||||
|
||||
/* Advanced Options */
|
||||
"skipLibCheck": true, /* Skip type checking of declaration files. */
|
||||
"forceConsistentCasingInFileNames": true /* Disallow inconsistently-cased references to the same file. */
|
||||
}
|
||||
}
|
|
@ -18699,6 +18699,11 @@
|
|||
"safer-buffer": "^2.0.2",
|
||||
"tweetnacl": "~0.14.0"
|
||||
},
|
||||
"bin": {
|
||||
"sshpk-conv": "bin/sshpk-conv",
|
||||
"sshpk-sign": "bin/sshpk-sign",
|
||||
"sshpk-verify": "bin/sshpk-verify"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=0.10.0"
|
||||
}
|
||||
|
|
|
@ -94,10 +94,10 @@ PayloadID uint8 = 1
|
|||
NFTAddress [32]uint8
|
||||
// Chain ID of the NFT
|
||||
NFTChain uint16
|
||||
// Symbol of the NFT
|
||||
Symbol [32]uint8
|
||||
// Name of the NFT
|
||||
Name [32]uint8
|
||||
// Symbol of the NFT
|
||||
Symbol [10]uint8
|
||||
// ID of the token (big-endian uint256)
|
||||
TokenID [32]uint8
|
||||
// URL of the NFT
|
||||
|
|
|
@ -45,6 +45,9 @@ spec:
|
|||
- B6RHG3mfcckmrYN1UhmJzyS1XX3fZKbkeUcpJe9Sy3FE
|
||||
- /opt/solana/deps/token_bridge.so
|
||||
- --bpf-program
|
||||
- NFTWqJR8YnRVqPDvTJrYuLrQDitTG5AScqbeghi4zSA
|
||||
- /opt/solana/deps/nft_bridge.so
|
||||
- --bpf-program
|
||||
- CP1co2QMMoDPbsmV7PGcUTLFwyhgCgTXt25gLQ5LewE1
|
||||
- /opt/solana/deps/cpi_poster.so
|
||||
- --bpf-program
|
||||
|
|
|
@ -3,14 +3,17 @@
|
|||
| Label | Network | Address | Note |
|
||||
| ------------- | :-------------: | -----: | :----- |
|
||||
| Test Wallet | ETH | 0x90F8bf6A479f320ead074411a4B0e7944Ea8c9C1 | Key: `0x4f3edf983ac636a65a842ce7c78d9aa706d3b113bce9c46f30d7d21715b23b1d` Mnemonic `myth like bonus scare over problem client lizard pioneer submit female collect` |
|
||||
| Test ERC20 | ETH | 0x67B5656d60a809915323Bf2C40A8bEF15A152e3e | Tokens minted to Test Wallet |
|
||||
| Test ERC20 | ETH | 0x0E696947A06550DEf604e82C26fd9E493e576337 | Tokens minted to Test Wallet |
|
||||
| Test NFT | ETH | 0xA94B7f0465E98609391C623d0560C5720a3f2D33 | One minted to Test Wallet |
|
||||
| Bridge Core | ETH | 0xC89Ce4735882C9F0f0FE26686c53074E09B0D550 | |
|
||||
| Token Bridge | ETH | 0x0290FB167208Af455bB137780163b7B7a9a10C16 | |
|
||||
| Test Wallet | SOL | 6sbzC1eH4FTujJXWj51eQe25cYvr4xfXbJ1vAj7j2k5J | Key in `solana/keys/solana-devnet.json` |
|
||||
| NFT Bridge | ETH | 0x26b4afb60d6c903165150c6f0aa14f8016be4aec | |
|
||||
| Test Wallet | SOL | 6sbzC1eH4FTujJXWj51eQe25cYvr4xfXbJ1vAj7j2k5J | Key in `solana/keys/solana-devnet.json` |
|
||||
| Example Token | SOL | 2WDq7wSs9zYrpx2kbHDA4RUTRch2CCTP6ZWaH4GNfnQQ | Tokens minted to Test Wallet |
|
||||
| Example NFT | SOL | BVxyYhm498L79r4HMQ9sxZ5bi41DmJmeWZ7SCS7Cyvna | One minted to Test Wallet |
|
||||
| Bridge Core | SOL | Bridge1p5gheXUvJ6jGWGeCsgPKgnE3YgdGKRVCMY9o | |
|
||||
| Token Bridge | SOL | B6RHG3mfcckmrYN1UhmJzyS1XX3fZKbkeUcpJe9Sy3FE | |
|
||||
| NFT Bridge | SOL | NFTWqJR8YnRVqPDvTJrYuLrQDitTG5AScqbeghi4zSA | |
|
||||
| Test Wallet | Terra | terra1x46rqay4d3cssq8gxxvqz8xt6nwlz4td20k38v | Mnemonic: `notice oak worry limit wrap speak medal online prefer cluster roof addict wrist behave treat actual wasp year salad speed social layer crew genius` |
|
||||
| Example Token | Terra | terra13nkgqrfymug724h8pprpexqj9h629sa3ncw7sh | Tokens minted to Test Wallet |
|
||||
| Bridge Core | Terra | terra18eezxhys9jwku67cm4w84xhnzt4xjj77w2qt62 | |
|
||||
|
|
|
@ -0,0 +1,254 @@
|
|||
// contracts/Bridge.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
import "@openzeppelin/contracts/token/ERC721/IERC721.sol";
|
||||
import "@openzeppelin/contracts/token/ERC721/IERC721Receiver.sol";
|
||||
import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
|
||||
|
||||
import "../libraries/external/BytesLib.sol";
|
||||
|
||||
import "./NFTBridgeGetters.sol";
|
||||
import "./NFTBridgeSetters.sol";
|
||||
import "./NFTBridgeStructs.sol";
|
||||
import "./NFTBridgeGovernance.sol";
|
||||
|
||||
import "./token/NFT.sol";
|
||||
import "./token/NFTImplementation.sol";
|
||||
|
||||
contract NFTBridge is NFTBridgeGovernance {
|
||||
using BytesLib for bytes;
|
||||
|
||||
// Initiate a Transfer
|
||||
function transferNFT(address token, uint256 tokenID, uint16 recipientChain, bytes32 recipient, uint32 nonce) public payable returns (uint64 sequence) {
|
||||
// determine token parameters
|
||||
uint16 tokenChain;
|
||||
bytes32 tokenAddress;
|
||||
if (isWrappedAsset(token)) {
|
||||
tokenChain = NFTImplementation(token).chainId();
|
||||
tokenAddress = NFTImplementation(token).nativeContract();
|
||||
} else {
|
||||
tokenChain = chainId();
|
||||
tokenAddress = bytes32(uint256(uint160(token)));
|
||||
// Verify that the correct interfaces are implemented
|
||||
require(ERC165(token).supportsInterface(type(IERC721).interfaceId), "must support the ERC721 interface");
|
||||
require(ERC165(token).supportsInterface(type(IERC721Metadata).interfaceId), "must support the ERC721-Metadata extension");
|
||||
}
|
||||
|
||||
string memory symbolString;
|
||||
string memory nameString;
|
||||
string memory uriString;
|
||||
{
|
||||
// decimals, symbol & token are not part of the core ERC20 token standard, so we need to support contracts that dont implement them
|
||||
(,bytes memory queriedSymbol) = token.staticcall(abi.encodeWithSignature("symbol()"));
|
||||
(,bytes memory queriedName) = token.staticcall(abi.encodeWithSignature("name()"));
|
||||
(,bytes memory queriedURI) = token.staticcall(abi.encodeWithSignature("tokenURI(uint256)", tokenID));
|
||||
|
||||
symbolString = abi.decode(queriedSymbol, (string));
|
||||
nameString = abi.decode(queriedName, (string));
|
||||
uriString = abi.decode(queriedURI, (string));
|
||||
}
|
||||
|
||||
bytes32 symbol;
|
||||
bytes32 name;
|
||||
assembly {
|
||||
// first 32 bytes hold string length
|
||||
symbol := mload(add(symbolString, 32))
|
||||
name := mload(add(nameString, 32))
|
||||
}
|
||||
|
||||
|
||||
if (tokenChain == chainId()) {
|
||||
IERC721(token).safeTransferFrom(msg.sender, address(this), tokenID);
|
||||
} else {
|
||||
NFTImplementation(token).burn(tokenID);
|
||||
}
|
||||
|
||||
sequence = logTransfer(NFTBridgeStructs.Transfer(
|
||||
{
|
||||
tokenAddress : tokenAddress,
|
||||
tokenChain : tokenChain,
|
||||
name : name,
|
||||
symbol : symbol,
|
||||
tokenID : tokenID,
|
||||
uri : uriString,
|
||||
to : recipient,
|
||||
toChain : recipientChain
|
||||
}
|
||||
), msg.value, nonce);
|
||||
}
|
||||
|
||||
function logTransfer(NFTBridgeStructs.Transfer memory transfer, uint256 callValue, uint32 nonce) internal returns (uint64 sequence) {
|
||||
bytes memory encoded = encodeTransfer(transfer);
|
||||
|
||||
sequence = wormhole().publishMessage{
|
||||
value : callValue
|
||||
}(nonce, encoded, 15);
|
||||
}
|
||||
|
||||
function completeTransfer(bytes memory encodedVm) public {
|
||||
_completeTransfer(encodedVm);
|
||||
}
|
||||
|
||||
// Execute a Transfer message
|
||||
function _completeTransfer(bytes memory encodedVm) internal {
|
||||
(IWormhole.VM memory vm, bool valid, string memory reason) = wormhole().parseAndVerifyVM(encodedVm);
|
||||
|
||||
require(valid, reason);
|
||||
require(verifyBridgeVM(vm), "invalid emitter");
|
||||
|
||||
NFTBridgeStructs.Transfer memory transfer = parseTransfer(vm.payload);
|
||||
|
||||
require(!isTransferCompleted(vm.hash), "transfer already completed");
|
||||
setTransferCompleted(vm.hash);
|
||||
|
||||
require(transfer.toChain == chainId(), "invalid target chain");
|
||||
|
||||
IERC721 transferToken;
|
||||
if (transfer.tokenChain == chainId()) {
|
||||
transferToken = IERC721(address(uint160(uint256(transfer.tokenAddress))));
|
||||
} else {
|
||||
address wrapped = wrappedAsset(transfer.tokenChain, transfer.tokenAddress);
|
||||
|
||||
// If the wrapped asset does not exist yet, create it
|
||||
if (wrapped == address(0)) {
|
||||
wrapped = _createWrapped(transfer.tokenChain, transfer.tokenAddress, transfer.name, transfer.symbol);
|
||||
}
|
||||
|
||||
transferToken = IERC721(wrapped);
|
||||
}
|
||||
|
||||
// transfer bridged NFT to recipient
|
||||
address transferRecipient = address(uint160(uint256(transfer.to)));
|
||||
|
||||
if (transfer.tokenChain != chainId()) {
|
||||
// mint wrapped asset
|
||||
NFTImplementation(address(transferToken)).mint(transferRecipient, transfer.tokenID, transfer.uri);
|
||||
} else {
|
||||
transferToken.safeTransferFrom(address(this), transferRecipient, transfer.tokenID);
|
||||
}
|
||||
}
|
||||
|
||||
// Creates a wrapped asset using AssetMeta
|
||||
function _createWrapped(uint16 tokenChain, bytes32 tokenAddress, bytes32 name, bytes32 symbol) internal returns (address token) {
|
||||
require(tokenChain != chainId(), "can only wrap tokens from foreign chains");
|
||||
require(wrappedAsset(tokenChain, tokenAddress) == address(0), "wrapped asset already exists");
|
||||
|
||||
// initialize the NFTImplementation
|
||||
bytes memory initialisationArgs = abi.encodeWithSelector(
|
||||
NFTImplementation.initialize.selector,
|
||||
bytes32ToString(name),
|
||||
bytes32ToString(symbol),
|
||||
|
||||
address(this),
|
||||
|
||||
tokenChain,
|
||||
tokenAddress
|
||||
);
|
||||
|
||||
// initialize the BeaconProxy
|
||||
bytes memory constructorArgs = abi.encode(address(this), initialisationArgs);
|
||||
|
||||
// deployment code
|
||||
bytes memory bytecode = abi.encodePacked(type(BridgeNFT).creationCode, constructorArgs);
|
||||
|
||||
bytes32 salt = keccak256(abi.encodePacked(tokenChain, tokenAddress));
|
||||
|
||||
assembly {
|
||||
token := create2(0, add(bytecode, 0x20), mload(bytecode), salt)
|
||||
|
||||
if iszero(extcodesize(token)) {
|
||||
revert(0, 0)
|
||||
}
|
||||
}
|
||||
|
||||
setWrappedAsset(tokenChain, tokenAddress, token);
|
||||
}
|
||||
|
||||
function verifyBridgeVM(IWormhole.VM memory vm) internal view returns (bool){
|
||||
if (bridgeContracts(vm.emitterChainId) == vm.emitterAddress) {
|
||||
return true;
|
||||
}
|
||||
|
||||
return false;
|
||||
}
|
||||
|
||||
function encodeTransfer(NFTBridgeStructs.Transfer memory transfer) public pure returns (bytes memory encoded) {
|
||||
encoded = abi.encodePacked(
|
||||
uint8(1),
|
||||
transfer.tokenAddress,
|
||||
transfer.tokenChain,
|
||||
transfer.symbol,
|
||||
transfer.name,
|
||||
transfer.tokenID,
|
||||
uint8(bytes(transfer.uri).length),
|
||||
transfer.uri,
|
||||
transfer.to,
|
||||
transfer.toChain
|
||||
);
|
||||
}
|
||||
|
||||
function parseTransfer(bytes memory encoded) public pure returns (NFTBridgeStructs.Transfer memory transfer) {
|
||||
uint index = 0;
|
||||
|
||||
uint8 payloadID = encoded.toUint8(index);
|
||||
index += 1;
|
||||
|
||||
require(payloadID == 1, "invalid Transfer");
|
||||
|
||||
transfer.tokenAddress = encoded.toBytes32(index);
|
||||
index += 32;
|
||||
|
||||
transfer.tokenChain = encoded.toUint16(index);
|
||||
index += 2;
|
||||
|
||||
transfer.symbol = encoded.toBytes32(index);
|
||||
index += 32;
|
||||
|
||||
transfer.name = encoded.toBytes32(index);
|
||||
index += 32;
|
||||
|
||||
transfer.tokenID = encoded.toUint256(index);
|
||||
index += 32;
|
||||
|
||||
uint8 len_uri = encoded.toUint8(index);
|
||||
index += 1;
|
||||
|
||||
transfer.uri = string(encoded.slice(index, len_uri));
|
||||
index += len_uri;
|
||||
|
||||
transfer.to = encoded.toBytes32(index);
|
||||
index += 32;
|
||||
|
||||
transfer.toChain = encoded.toUint16(index);
|
||||
index += 2;
|
||||
|
||||
require(encoded.length == index, "invalid Transfer");
|
||||
}
|
||||
|
||||
function onERC721Received(
|
||||
address operator,
|
||||
address,
|
||||
uint256,
|
||||
bytes calldata
|
||||
) external view returns (bytes4){
|
||||
require(operator == address(this), "can only bridge tokens via transferNFT method");
|
||||
return type(IERC721Receiver).interfaceId;
|
||||
}
|
||||
|
||||
function bytes32ToString(bytes32 input) internal pure returns (string memory) {
|
||||
uint256 i;
|
||||
while (i < 32 && input[i] != 0) {
|
||||
i++;
|
||||
}
|
||||
bytes memory array = new bytes(i);
|
||||
for (uint c = 0; c < i; c++) {
|
||||
array[c] = input[c];
|
||||
}
|
||||
return string(array);
|
||||
}
|
||||
|
||||
// we need to accept ETH sends to unwrap WETH
|
||||
receive() external payable {}
|
||||
}
|
|
@ -0,0 +1,15 @@
|
|||
// contracts/Wormhole.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
import "@openzeppelin/contracts/proxy/ERC1967/ERC1967Proxy.sol";
|
||||
|
||||
contract NFTBridgeEntrypoint is ERC1967Proxy {
|
||||
constructor (address implementation, bytes memory initData)
|
||||
ERC1967Proxy(
|
||||
implementation,
|
||||
initData
|
||||
)
|
||||
{}
|
||||
}
|
|
@ -0,0 +1,56 @@
|
|||
// contracts/Getters.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
|
||||
|
||||
import "../interfaces/IWormhole.sol";
|
||||
|
||||
import "./NFTBridgeState.sol";
|
||||
|
||||
contract NFTBridgeGetters is NFTBridgeState {
|
||||
function governanceActionIsConsumed(bytes32 hash) public view returns (bool) {
|
||||
return _state.consumedGovernanceActions[hash];
|
||||
}
|
||||
|
||||
function isInitialized(address impl) public view returns (bool) {
|
||||
return _state.initializedImplementations[impl];
|
||||
}
|
||||
|
||||
function isTransferCompleted(bytes32 hash) public view returns (bool) {
|
||||
return _state.completedTransfers[hash];
|
||||
}
|
||||
|
||||
function wormhole() public view returns (IWormhole) {
|
||||
return IWormhole(_state.wormhole);
|
||||
}
|
||||
|
||||
function chainId() public view returns (uint16){
|
||||
return _state.provider.chainId;
|
||||
}
|
||||
|
||||
function governanceChainId() public view returns (uint16){
|
||||
return _state.provider.governanceChainId;
|
||||
}
|
||||
|
||||
function governanceContract() public view returns (bytes32){
|
||||
return _state.provider.governanceContract;
|
||||
}
|
||||
|
||||
function wrappedAsset(uint16 tokenChainId, bytes32 tokenAddress) public view returns (address){
|
||||
return _state.wrappedAssets[tokenChainId][tokenAddress];
|
||||
}
|
||||
|
||||
function bridgeContracts(uint16 chainId_) public view returns (bytes32){
|
||||
return _state.bridgeImplementations[chainId_];
|
||||
}
|
||||
|
||||
function tokenImplementation() public view returns (address){
|
||||
return _state.tokenImplementation;
|
||||
}
|
||||
|
||||
function isWrappedAsset(address token) public view returns (bool){
|
||||
return _state.isWrappedAsset[token];
|
||||
}
|
||||
}
|
|
@ -0,0 +1,139 @@
|
|||
// contracts/Bridge.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
import "@openzeppelin/contracts/token/ERC20/IERC20.sol";
|
||||
import "@openzeppelin/contracts/token/ERC20/utils/SafeERC20.sol";
|
||||
import "@openzeppelin/contracts/proxy/ERC1967/ERC1967Upgrade.sol";
|
||||
|
||||
import "../libraries/external/BytesLib.sol";
|
||||
|
||||
import "./NFTBridgeGetters.sol";
|
||||
import "./NFTBridgeSetters.sol";
|
||||
import "./NFTBridgeStructs.sol";
|
||||
|
||||
import "./token/NFT.sol";
|
||||
import "./token/NFTImplementation.sol";
|
||||
|
||||
import "../interfaces/IWormhole.sol";
|
||||
|
||||
contract NFTBridgeGovernance is NFTBridgeGetters, NFTBridgeSetters, ERC1967Upgrade {
|
||||
using BytesLib for bytes;
|
||||
|
||||
// "NFTBridge" (left padded)
|
||||
bytes32 constant module = 0x00000000000000000000000000000000000000000000004e4654427269646765;
|
||||
|
||||
// Execute a RegisterChain governance message
|
||||
function registerChain(bytes memory encodedVM) public {
|
||||
(IWormhole.VM memory vm, bool valid, string memory reason) = verifyGovernanceVM(encodedVM);
|
||||
require(valid, reason);
|
||||
|
||||
setGovernanceActionConsumed(vm.hash);
|
||||
|
||||
NFTBridgeStructs.RegisterChain memory chain = parseRegisterChain(vm.payload);
|
||||
|
||||
require(chain.chainId == chainId() || chain.chainId == 0, "invalid chain id");
|
||||
|
||||
setBridgeImplementation(chain.emitterChainID, chain.emitterAddress);
|
||||
}
|
||||
|
||||
// Execute a UpgradeContract governance message
|
||||
function upgrade(bytes memory encodedVM) public {
|
||||
(IWormhole.VM memory vm, bool valid, string memory reason) = verifyGovernanceVM(encodedVM);
|
||||
require(valid, reason);
|
||||
|
||||
setGovernanceActionConsumed(vm.hash);
|
||||
|
||||
NFTBridgeStructs.UpgradeContract memory implementation = parseUpgrade(vm.payload);
|
||||
|
||||
require(implementation.chainId == chainId(), "wrong chain id");
|
||||
|
||||
upgradeImplementation(address(uint160(uint256(implementation.newContract))));
|
||||
}
|
||||
|
||||
function verifyGovernanceVM(bytes memory encodedVM) internal view returns (IWormhole.VM memory parsedVM, bool isValid, string memory invalidReason){
|
||||
(IWormhole.VM memory vm, bool valid, string memory reason) = wormhole().parseAndVerifyVM(encodedVM);
|
||||
|
||||
if(!valid){
|
||||
return (vm, valid, reason);
|
||||
}
|
||||
|
||||
if (vm.emitterChainId != governanceChainId()) {
|
||||
return (vm, false, "wrong governance chain");
|
||||
}
|
||||
if (vm.emitterAddress != governanceContract()) {
|
||||
return (vm, false, "wrong governance contract");
|
||||
}
|
||||
|
||||
if(governanceActionIsConsumed(vm.hash)){
|
||||
return (vm, false, "governance action already consumed");
|
||||
}
|
||||
|
||||
return (vm, true, "");
|
||||
}
|
||||
|
||||
event ContractUpgraded(address indexed oldContract, address indexed newContract);
|
||||
function upgradeImplementation(address newImplementation) internal {
|
||||
address currentImplementation = _getImplementation();
|
||||
|
||||
_upgradeTo(newImplementation);
|
||||
|
||||
// Call initialize function of the new implementation
|
||||
(bool success, bytes memory reason) = newImplementation.delegatecall(abi.encodeWithSignature("initialize()"));
|
||||
|
||||
require(success, string(reason));
|
||||
|
||||
emit ContractUpgraded(currentImplementation, newImplementation);
|
||||
}
|
||||
|
||||
function parseRegisterChain(bytes memory encoded) public pure returns(NFTBridgeStructs.RegisterChain memory chain) {
|
||||
uint index = 0;
|
||||
|
||||
// governance header
|
||||
|
||||
chain.module = encoded.toBytes32(index);
|
||||
index += 32;
|
||||
require(chain.module == module, "invalid RegisterChain: wrong module");
|
||||
|
||||
chain.action = encoded.toUint8(index);
|
||||
index += 1;
|
||||
require(chain.action == 1, "invalid RegisterChain: wrong action");
|
||||
|
||||
chain.chainId = encoded.toUint16(index);
|
||||
index += 2;
|
||||
|
||||
// payload
|
||||
|
||||
chain.emitterChainID = encoded.toUint16(index);
|
||||
index += 2;
|
||||
|
||||
chain.emitterAddress = encoded.toBytes32(index);
|
||||
index += 32;
|
||||
|
||||
require(encoded.length == index, "invalid RegisterChain: wrong length");
|
||||
}
|
||||
|
||||
function parseUpgrade(bytes memory encoded) public pure returns(NFTBridgeStructs.UpgradeContract memory chain) {
|
||||
uint index = 0;
|
||||
|
||||
// governance header
|
||||
|
||||
chain.module = encoded.toBytes32(index);
|
||||
index += 32;
|
||||
require(chain.module == module, "invalid UpgradeContract: wrong module");
|
||||
|
||||
chain.action = encoded.toUint8(index);
|
||||
index += 1;
|
||||
require(chain.action == 2, "invalid UpgradeContract: wrong action");
|
||||
|
||||
chain.chainId = encoded.toUint16(index);
|
||||
index += 2;
|
||||
|
||||
// payload
|
||||
|
||||
chain.newContract = encoded.toBytes32(index);
|
||||
index += 32;
|
||||
|
||||
require(encoded.length == index, "invalid UpgradeContract: wrong length");
|
||||
}
|
||||
}
|
|
@ -0,0 +1,30 @@
|
|||
// contracts/Implementation.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
pragma experimental ABIEncoderV2;
|
||||
|
||||
import "@openzeppelin/contracts/proxy/ERC1967/ERC1967Upgrade.sol";
|
||||
|
||||
import "./NFTBridge.sol";
|
||||
|
||||
|
||||
contract NFTBridgeImplementation is NFTBridge {
|
||||
// Beacon getter for the token contracts
|
||||
function implementation() public view returns (address) {
|
||||
return tokenImplementation();
|
||||
}
|
||||
|
||||
modifier initializer() {
|
||||
address impl = ERC1967Upgrade._getImplementation();
|
||||
|
||||
require(
|
||||
!isInitialized(impl),
|
||||
"already initialized"
|
||||
);
|
||||
|
||||
setInitialized(impl);
|
||||
|
||||
_;
|
||||
}
|
||||
}
|
|
@ -0,0 +1,49 @@
|
|||
// contracts/Setters.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
import "./NFTBridgeState.sol";
|
||||
|
||||
contract NFTBridgeSetters is NFTBridgeState {
|
||||
function setInitialized(address implementatiom) internal {
|
||||
_state.initializedImplementations[implementatiom] = true;
|
||||
}
|
||||
|
||||
function setGovernanceActionConsumed(bytes32 hash) internal {
|
||||
_state.consumedGovernanceActions[hash] = true;
|
||||
}
|
||||
|
||||
function setTransferCompleted(bytes32 hash) internal {
|
||||
_state.completedTransfers[hash] = true;
|
||||
}
|
||||
|
||||
function setChainId(uint16 chainId) internal {
|
||||
_state.provider.chainId = chainId;
|
||||
}
|
||||
|
||||
function setGovernanceChainId(uint16 chainId) internal {
|
||||
_state.provider.governanceChainId = chainId;
|
||||
}
|
||||
|
||||
function setGovernanceContract(bytes32 governanceContract) internal {
|
||||
_state.provider.governanceContract = governanceContract;
|
||||
}
|
||||
|
||||
function setBridgeImplementation(uint16 chainId, bytes32 bridgeContract) internal {
|
||||
_state.bridgeImplementations[chainId] = bridgeContract;
|
||||
}
|
||||
|
||||
function setTokenImplementation(address impl) internal {
|
||||
_state.tokenImplementation = impl;
|
||||
}
|
||||
|
||||
function setWormhole(address wh) internal {
|
||||
_state.wormhole = payable(wh);
|
||||
}
|
||||
|
||||
function setWrappedAsset(uint16 tokenChainId, bytes32 tokenAddress, address wrapper) internal {
|
||||
_state.wrappedAssets[tokenChainId][tokenAddress] = wrapper;
|
||||
_state.isWrappedAsset[wrapper] = true;
|
||||
}
|
||||
}
|
|
@ -0,0 +1,31 @@
|
|||
// contracts/BridgeSetup.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
pragma experimental ABIEncoderV2;
|
||||
|
||||
import "./NFTBridgeGovernance.sol";
|
||||
|
||||
import "@openzeppelin/contracts/proxy/ERC1967/ERC1967Upgrade.sol";
|
||||
|
||||
contract NFTBridgeSetup is NFTBridgeSetters, ERC1967Upgrade {
|
||||
function setup(
|
||||
address implementation,
|
||||
uint16 chainId,
|
||||
address wormhole,
|
||||
uint16 governanceChainId,
|
||||
bytes32 governanceContract,
|
||||
address tokenImplementation
|
||||
) public {
|
||||
setChainId(chainId);
|
||||
|
||||
setWormhole(wormhole);
|
||||
|
||||
setGovernanceChainId(governanceChainId);
|
||||
setGovernanceContract(governanceContract);
|
||||
|
||||
setTokenImplementation(tokenImplementation);
|
||||
|
||||
_upgradeTo(implementation);
|
||||
}
|
||||
}
|
|
@ -0,0 +1,48 @@
|
|||
// contracts/State.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
import "./NFTBridgeStructs.sol";
|
||||
|
||||
contract NFTBridgeStorage {
|
||||
struct Provider {
|
||||
uint16 chainId;
|
||||
uint16 governanceChainId;
|
||||
bytes32 governanceContract;
|
||||
}
|
||||
|
||||
struct Asset {
|
||||
uint16 chainId;
|
||||
bytes32 assetAddress;
|
||||
}
|
||||
|
||||
struct State {
|
||||
address payable wormhole;
|
||||
address tokenImplementation;
|
||||
|
||||
Provider provider;
|
||||
|
||||
// Mapping of consumed governance actions
|
||||
mapping(bytes32 => bool) consumedGovernanceActions;
|
||||
|
||||
// Mapping of consumed token transfers
|
||||
mapping(bytes32 => bool) completedTransfers;
|
||||
|
||||
// Mapping of initialized implementations
|
||||
mapping(address => bool) initializedImplementations;
|
||||
|
||||
// Mapping of wrapped assets (chainID => nativeAddress => wrappedAddress)
|
||||
mapping(uint16 => mapping(bytes32 => address)) wrappedAssets;
|
||||
|
||||
// Mapping to safely identify wrapped assets
|
||||
mapping(address => bool) isWrappedAsset;
|
||||
|
||||
// Mapping of bridge contracts on other chains
|
||||
mapping(uint16 => bytes32) bridgeImplementations;
|
||||
}
|
||||
}
|
||||
|
||||
contract NFTBridgeState {
|
||||
NFTBridgeStorage.State _state;
|
||||
}
|
|
@ -0,0 +1,54 @@
|
|||
// contracts/Structs.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
contract NFTBridgeStructs {
|
||||
struct Transfer {
|
||||
// PayloadID uint8 = 1
|
||||
// Address of the token. Left-zero-padded if shorter than 32 bytes
|
||||
bytes32 tokenAddress;
|
||||
// Chain ID of the token
|
||||
uint16 tokenChain;
|
||||
// Symbol of the token (UTF-8)
|
||||
bytes32 symbol;
|
||||
// Name of the token (UTF-8)
|
||||
bytes32 name;
|
||||
// TokenID of the token
|
||||
uint256 tokenID;
|
||||
// URI of the token metadata (UTF-8)
|
||||
string uri;
|
||||
// Address of the recipient. Left-zero-padded if shorter than 32 bytes
|
||||
bytes32 to;
|
||||
// Chain ID of the recipient
|
||||
uint16 toChain;
|
||||
}
|
||||
|
||||
struct RegisterChain {
|
||||
// Governance Header
|
||||
// module: "NFTBridge" left-padded
|
||||
bytes32 module;
|
||||
// governance action: 1
|
||||
uint8 action;
|
||||
// governance paket chain id: this or 0
|
||||
uint16 chainId;
|
||||
|
||||
// Chain ID
|
||||
uint16 emitterChainID;
|
||||
// Emitter address. Left-zero-padded if shorter than 32 bytes
|
||||
bytes32 emitterAddress;
|
||||
}
|
||||
|
||||
struct UpgradeContract {
|
||||
// Governance Header
|
||||
// module: "NFTBridge" left-padded
|
||||
bytes32 module;
|
||||
// governance action: 2
|
||||
uint8 action;
|
||||
// governance paket chain id
|
||||
uint16 chainId;
|
||||
|
||||
// Address of the new contract
|
||||
bytes32 newContract;
|
||||
}
|
||||
}
|
|
@ -0,0 +1,16 @@
|
|||
// contracts/Implementation.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
import "../NFTBridgeImplementation.sol";
|
||||
|
||||
contract MockNFTBridgeImplementation is NFTBridgeImplementation {
|
||||
function initialize() initializer public {
|
||||
// this function needs to be exposed for an upgrade to pass
|
||||
}
|
||||
|
||||
function testNewImplementationActive() external pure returns (bool) {
|
||||
return true;
|
||||
}
|
||||
}
|
|
@ -0,0 +1,12 @@
|
|||
// contracts/Implementation.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
import "../token/NFTImplementation.sol";
|
||||
|
||||
contract MockNFTImplementation is NFTImplementation {
|
||||
function testNewImplementationActive() external pure returns (bool) {
|
||||
return true;
|
||||
}
|
||||
}
|
|
@ -0,0 +1,11 @@
|
|||
// contracts/Structs.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
import "@openzeppelin/contracts/proxy/beacon/BeaconProxy.sol";
|
||||
|
||||
contract BridgeNFT is BeaconProxy {
|
||||
constructor(address beacon, bytes memory data) BeaconProxy(beacon, data) {
|
||||
|
||||
}
|
||||
}
|
|
@ -0,0 +1,266 @@
|
|||
// contracts/TokenImplementation.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
import "./NFTState.sol";
|
||||
import "@openzeppelin/contracts/access/Ownable.sol";
|
||||
import "@openzeppelin/contracts/utils/Context.sol";
|
||||
import "@openzeppelin/contracts/utils/Address.sol";
|
||||
import "@openzeppelin/contracts/utils/Strings.sol";
|
||||
import "@openzeppelin/contracts/token/ERC721/IERC721.sol";
|
||||
import "@openzeppelin/contracts/token/ERC721/IERC721Receiver.sol";
|
||||
import "@openzeppelin/contracts/token/ERC721/extensions/IERC721Metadata.sol";
|
||||
import "@openzeppelin/contracts/utils/introspection/ERC165.sol";
|
||||
import "@openzeppelin/contracts/proxy/beacon/BeaconProxy.sol";
|
||||
|
||||
// Based on the OpenZepplin ERC20 implementation, licensed under MIT
|
||||
contract NFTImplementation is NFTState, Context, IERC721, IERC721Metadata, ERC165 {
|
||||
using Address for address;
|
||||
using Strings for uint256;
|
||||
|
||||
function initialize(
|
||||
string memory name_,
|
||||
string memory symbol_,
|
||||
|
||||
address owner_,
|
||||
|
||||
uint16 chainId_,
|
||||
bytes32 nativeContract_
|
||||
) initializer public {
|
||||
_state.name = name_;
|
||||
_state.symbol = symbol_;
|
||||
|
||||
_state.owner = owner_;
|
||||
|
||||
_state.chainId = chainId_;
|
||||
_state.nativeContract = nativeContract_;
|
||||
}
|
||||
|
||||
function supportsInterface(bytes4 interfaceId) public view override(ERC165, IERC165) returns (bool) {
|
||||
return
|
||||
interfaceId == type(IERC721).interfaceId ||
|
||||
interfaceId == type(IERC721Metadata).interfaceId ||
|
||||
super.supportsInterface(interfaceId);
|
||||
}
|
||||
|
||||
function balanceOf(address owner_) public view override returns (uint256) {
|
||||
require(owner_ != address(0), "ERC721: balance query for the zero address");
|
||||
return _state.balances[owner_];
|
||||
}
|
||||
|
||||
function ownerOf(uint256 tokenId) public view override returns (address) {
|
||||
address owner_ = _state.owners[tokenId];
|
||||
require(owner_ != address(0), "ERC721: owner query for nonexistent token");
|
||||
return owner_;
|
||||
}
|
||||
|
||||
function name() public view override returns (string memory) {
|
||||
return _state.name;
|
||||
}
|
||||
|
||||
function symbol() public view override returns (string memory) {
|
||||
return _state.symbol;
|
||||
}
|
||||
|
||||
function tokenURI(uint256 tokenId) public view override returns (string memory) {
|
||||
require(_exists(tokenId), "ERC721Metadata: URI query for nonexistent token");
|
||||
|
||||
return _state.tokenURIs[tokenId];
|
||||
}
|
||||
|
||||
function chainId() public view returns (uint16) {
|
||||
return _state.chainId;
|
||||
}
|
||||
|
||||
function nativeContract() public view returns (bytes32) {
|
||||
return _state.nativeContract;
|
||||
}
|
||||
|
||||
function owner() public view returns (address) {
|
||||
return _state.owner;
|
||||
}
|
||||
|
||||
function approve(address to, uint256 tokenId) public override {
|
||||
address owner_ = NFTImplementation.ownerOf(tokenId);
|
||||
require(to != owner_, "ERC721: approval to current owner");
|
||||
|
||||
require(
|
||||
_msgSender() == owner_ || isApprovedForAll(owner_, _msgSender()),
|
||||
"ERC721: approve caller is not owner nor approved for all"
|
||||
);
|
||||
|
||||
_approve(to, tokenId);
|
||||
}
|
||||
|
||||
function getApproved(uint256 tokenId) public view override returns (address) {
|
||||
require(_exists(tokenId), "ERC721: approved query for nonexistent token");
|
||||
|
||||
return _state.tokenApprovals[tokenId];
|
||||
}
|
||||
|
||||
function setApprovalForAll(address operator, bool approved) public override {
|
||||
require(operator != _msgSender(), "ERC721: approve to caller");
|
||||
|
||||
_state.operatorApprovals[_msgSender()][operator] = approved;
|
||||
emit ApprovalForAll(_msgSender(), operator, approved);
|
||||
}
|
||||
|
||||
function isApprovedForAll(address owner_, address operator) public view override returns (bool) {
|
||||
return _state.operatorApprovals[owner_][operator];
|
||||
}
|
||||
|
||||
function transferFrom(
|
||||
address from,
|
||||
address to,
|
||||
uint256 tokenId
|
||||
) public override {
|
||||
//solhint-disable-next-line max-line-length
|
||||
require(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721: transfer caller is not owner nor approved");
|
||||
|
||||
_transfer(from, to, tokenId);
|
||||
}
|
||||
|
||||
function safeTransferFrom(
|
||||
address from,
|
||||
address to,
|
||||
uint256 tokenId
|
||||
) public override {
|
||||
safeTransferFrom(from, to, tokenId, "");
|
||||
}
|
||||
|
||||
function safeTransferFrom(
|
||||
address from,
|
||||
address to,
|
||||
uint256 tokenId,
|
||||
bytes memory _data
|
||||
) public override {
|
||||
require(_isApprovedOrOwner(_msgSender(), tokenId), "ERC721: transfer caller is not owner nor approved");
|
||||
_safeTransfer(from, to, tokenId, _data);
|
||||
}
|
||||
|
||||
function _safeTransfer(
|
||||
address from,
|
||||
address to,
|
||||
uint256 tokenId,
|
||||
bytes memory _data
|
||||
) internal {
|
||||
_transfer(from, to, tokenId);
|
||||
require(_checkOnERC721Received(from, to, tokenId, _data), "ERC721: transfer to non ERC721Receiver implementer");
|
||||
}
|
||||
|
||||
function _exists(uint256 tokenId) internal view returns (bool) {
|
||||
return _state.owners[tokenId] != address(0);
|
||||
}
|
||||
|
||||
function _isApprovedOrOwner(address spender, uint256 tokenId) internal view returns (bool) {
|
||||
require(_exists(tokenId), "ERC721: operator query for nonexistent token");
|
||||
address owner_ = NFTImplementation.ownerOf(tokenId);
|
||||
return (spender == owner_ || getApproved(tokenId) == spender || isApprovedForAll(owner_, spender));
|
||||
}
|
||||
|
||||
function mint(address to, uint256 tokenId, string memory uri) public onlyOwner {
|
||||
_mint(to, tokenId, uri);
|
||||
}
|
||||
|
||||
function _mint(address to, uint256 tokenId, string memory uri) internal {
|
||||
require(to != address(0), "ERC721: mint to the zero address");
|
||||
require(!_exists(tokenId), "ERC721: token already minted");
|
||||
|
||||
_beforeTokenTransfer(address(0), to, tokenId);
|
||||
|
||||
_state.balances[to] += 1;
|
||||
_state.owners[tokenId] = to;
|
||||
_state.tokenURIs[tokenId] = uri;
|
||||
|
||||
emit Transfer(address(0), to, tokenId);
|
||||
}
|
||||
|
||||
function burn(uint256 tokenId) public onlyOwner {
|
||||
_burn(tokenId);
|
||||
}
|
||||
|
||||
function _burn(uint256 tokenId) internal {
|
||||
address owner_ = NFTImplementation.ownerOf(tokenId);
|
||||
|
||||
_beforeTokenTransfer(owner_, address(0), tokenId);
|
||||
|
||||
// Clear approvals
|
||||
_approve(address(0), tokenId);
|
||||
|
||||
_state.balances[owner_] -= 1;
|
||||
delete _state.owners[tokenId];
|
||||
|
||||
emit Transfer(owner_, address(0), tokenId);
|
||||
}
|
||||
|
||||
function _transfer(
|
||||
address from,
|
||||
address to,
|
||||
uint256 tokenId
|
||||
) internal {
|
||||
require(NFTImplementation.ownerOf(tokenId) == from, "ERC721: transfer of token that is not own");
|
||||
require(to != address(0), "ERC721: transfer to the zero address");
|
||||
|
||||
_beforeTokenTransfer(from, to, tokenId);
|
||||
|
||||
// Clear approvals from the previous owner
|
||||
_approve(address(0), tokenId);
|
||||
|
||||
_state.balances[from] -= 1;
|
||||
_state.balances[to] += 1;
|
||||
_state.owners[tokenId] = to;
|
||||
|
||||
emit Transfer(from, to, tokenId);
|
||||
}
|
||||
|
||||
function _approve(address to, uint256 tokenId) internal {
|
||||
_state.tokenApprovals[tokenId] = to;
|
||||
emit Approval(NFTImplementation.ownerOf(tokenId), to, tokenId);
|
||||
}
|
||||
|
||||
function _checkOnERC721Received(
|
||||
address from,
|
||||
address to,
|
||||
uint256 tokenId,
|
||||
bytes memory _data
|
||||
) private returns (bool) {
|
||||
if (to.isContract()) {
|
||||
try IERC721Receiver(to).onERC721Received(_msgSender(), from, tokenId, _data) returns (bytes4 retval) {
|
||||
return retval == IERC721Receiver.onERC721Received.selector;
|
||||
} catch (bytes memory reason) {
|
||||
if (reason.length == 0) {
|
||||
revert("ERC721: transfer to non ERC721Receiver implementer");
|
||||
} else {
|
||||
assembly {
|
||||
revert(add(32, reason), mload(reason))
|
||||
}
|
||||
}
|
||||
}
|
||||
} else {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
function _beforeTokenTransfer(
|
||||
address from,
|
||||
address to,
|
||||
uint256 tokenId
|
||||
) internal {}
|
||||
|
||||
modifier onlyOwner() {
|
||||
require(owner() == _msgSender(), "caller is not the owner");
|
||||
_;
|
||||
}
|
||||
|
||||
modifier initializer() {
|
||||
require(
|
||||
!_state.initialized,
|
||||
"Already initialized"
|
||||
);
|
||||
|
||||
_state.initialized = true;
|
||||
|
||||
_;
|
||||
}
|
||||
}
|
|
@ -0,0 +1,41 @@
|
|||
// contracts/State.sol
|
||||
// SPDX-License-Identifier: Apache 2
|
||||
|
||||
pragma solidity ^0.8.0;
|
||||
|
||||
contract NFTStorage {
|
||||
struct State {
|
||||
|
||||
// Token name
|
||||
string name;
|
||||
|
||||
// Token symbol
|
||||
string symbol;
|
||||
|
||||
// Mapping from token ID to owner address
|
||||
mapping(uint256 => address) owners;
|
||||
|
||||
// Mapping owner address to token count
|
||||
mapping(address => uint256) balances;
|
||||
|
||||
// Mapping from token ID to approved address
|
||||
mapping(uint256 => address) tokenApprovals;
|
||||
|
||||
// Mapping from token ID to URI
|
||||
mapping(uint256 => string) tokenURIs;
|
||||
|
||||
// Mapping from owner to operator approvals
|
||||
mapping(address => mapping(address => bool)) operatorApprovals;
|
||||
|
||||
address owner;
|
||||
|
||||
bool initialized;
|
||||
|
||||
uint16 chainId;
|
||||
bytes32 nativeContract;
|
||||
}
|
||||
}
|
||||
|
||||
contract NFTState {
|
||||
NFTStorage.State _state;
|
||||
}
|
|
@ -0,0 +1,36 @@
|
|||
require('dotenv').config({ path: "../.env" });
|
||||
|
||||
const TokenBridge = artifacts.require("NFTBridgeEntrypoint");
|
||||
const BridgeImplementation = artifacts.require("NFTBridgeImplementation");
|
||||
const BridgeSetup = artifacts.require("NFTBridgeSetup");
|
||||
const TokenImplementation = artifacts.require("NFTImplementation");
|
||||
const Wormhole = artifacts.require("Wormhole");
|
||||
|
||||
const chainId = process.env.BRIDGE_INIT_CHAIN_ID;
|
||||
const governanceChainId = process.env.BRIDGE_INIT_GOV_CHAIN_ID;
|
||||
const governanceContract = process.env.BRIDGE_INIT_GOV_CONTRACT; // bytes32
|
||||
|
||||
module.exports = async function (deployer) {
|
||||
// deploy token implementation
|
||||
await deployer.deploy(TokenImplementation);
|
||||
|
||||
// deploy setup
|
||||
await deployer.deploy(BridgeSetup);
|
||||
|
||||
// deploy implementation
|
||||
await deployer.deploy(BridgeImplementation);
|
||||
|
||||
// encode initialisation data
|
||||
const setup = new web3.eth.Contract(BridgeSetup.abi, BridgeSetup.address);
|
||||
const initData = setup.methods.setup(
|
||||
BridgeImplementation.address,
|
||||
chainId,
|
||||
(await Wormhole.deployed()).address,
|
||||
governanceChainId,
|
||||
governanceContract,
|
||||
TokenImplementation.address
|
||||
).encodeABI();
|
||||
|
||||
// deploy proxy
|
||||
await deployer.deploy(TokenBridge, BridgeSetup.address, initData);
|
||||
};
|
|
@ -1,6 +1,7 @@
|
|||
// run this script with truffle exec
|
||||
|
||||
const ERC20 = artifacts.require("ERC20PresetMinterPauser")
|
||||
const ERC721 = artifacts.require("ERC721PresetMinterPauserAutoId")
|
||||
|
||||
module.exports = async function (callback) {
|
||||
try {
|
||||
|
@ -18,6 +19,15 @@ module.exports = async function (callback) {
|
|||
gas: 1000000
|
||||
});
|
||||
|
||||
const nftAddress = (await ERC721.new("Not an APE", "APE", "https://cloudflare-ipfs.com/ipfs/QmeSjSinHpPnmXmspMjwiXyN6zS4E9zccariGR3jxcaWtq/3287")).address;
|
||||
const nft = new web3.eth.Contract(ERC721.abi, nftAddress);
|
||||
await nft.methods.mint(accounts[0]).send({
|
||||
from: accounts[0],
|
||||
gas: 1000000
|
||||
});
|
||||
|
||||
console.log("NFT deployed at: " + nftAddress);
|
||||
|
||||
callback();
|
||||
} catch (e) {
|
||||
callback(e);
|
||||
|
|
|
@ -2,16 +2,24 @@
|
|||
|
||||
const jsonfile = require("jsonfile");
|
||||
const TokenBridge = artifacts.require("TokenBridge");
|
||||
const NFTBridge = artifacts.require("NFTBridgeEntrypoint");
|
||||
const TokenImplementation = artifacts.require("TokenImplementation");
|
||||
const BridgeImplementationFullABI = jsonfile.readFileSync("../build/contracts/BridgeImplementation.json").abi
|
||||
|
||||
module.exports = async function (callback) {
|
||||
try {
|
||||
const accounts = await web3.eth.getAccounts();
|
||||
const initialized = new web3.eth.Contract(BridgeImplementationFullABI, TokenBridge.address);
|
||||
const tokenBridge = new web3.eth.Contract(BridgeImplementationFullABI, TokenBridge.address);
|
||||
const nftBridge = new web3.eth.Contract(BridgeImplementationFullABI, NFTBridge.address);
|
||||
|
||||
// Register the Solana endpoint
|
||||
await initialized.methods.registerChain("0x01000000000100c9f4230109e378f7efc0605fb40f0e1869f2d82fda5b1dfad8a5a2dafee85e033d155c18641165a77a2db6a7afbf2745b458616cb59347e89ae0c7aa3e7cc2d400000000010000000100010000000000000000000000000000000000000000000000000000000000000004000000000000000000000000000000000000000000000000000000000000546f6b656e4272696467650100000001c69a1b1a65dd336bf1df6a77afb501fc25db7fc0938cb08595a9ef473265cb4f").send({
|
||||
// Register the Solana token bridge endpoint
|
||||
await tokenBridge.methods.registerChain("0x01000000000100c9f4230109e378f7efc0605fb40f0e1869f2d82fda5b1dfad8a5a2dafee85e033d155c18641165a77a2db6a7afbf2745b458616cb59347e89ae0c7aa3e7cc2d400000000010000000100010000000000000000000000000000000000000000000000000000000000000004000000000000000000000000000000000000000000000000000000000000546f6b656e4272696467650100000001c69a1b1a65dd336bf1df6a77afb501fc25db7fc0938cb08595a9ef473265cb4f").send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
await nftBridge.methods.registerChain("0x010000000001008ac4e21c24172fd5f4bdf0b5211f0232cd350a407751a64900fe65d7555384767440eeeae8541dc777e994feb343d59c61dfe72d14206ef77591f8b2b3d8e6280000000001000000010001000000000000000000000000000000000000000000000000000000000000000400000000000000000000000000000000000000000000000000000000000000004e4654427269646765010000000105718b324065244262a50875000f903525d5204dc7feff0fd5a26270682cd7ff").send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
|
|
|
@ -0,0 +1,560 @@
|
|||
const jsonfile = require('jsonfile');
|
||||
const elliptic = require('elliptic');
|
||||
const BigNumber = require('bignumber.js');
|
||||
|
||||
const Wormhole = artifacts.require("Wormhole");
|
||||
const NFTBridge = artifacts.require("NFTBridgeEntrypoint");
|
||||
const NFTBridgeImplementation = artifacts.require("NFTBridgeImplementation");
|
||||
const NFTImplementation = artifacts.require("NFTImplementation");
|
||||
const MockBridgeImplementation = artifacts.require("MockNFTBridgeImplementation");
|
||||
|
||||
const testSigner1PK = "cfb12303a19cde580bb4dd771639b0d26bc68353645571a8cff516ab2ee113a0";
|
||||
const testSigner2PK = "892330666a850761e7370376430bb8c2aa1494072d3bfeaed0c4fa3d5a9135fe";
|
||||
|
||||
const WormholeImplementationFullABI = jsonfile.readFileSync("build/contracts/Implementation.json").abi
|
||||
const BridgeImplementationFullABI = jsonfile.readFileSync("build/contracts/NFTBridgeImplementation.json").abi
|
||||
const NFTImplementationFullABI = jsonfile.readFileSync("build/contracts/NFTImplementation.json").abi
|
||||
|
||||
contract("NFT", function () {
|
||||
const testSigner1 = web3.eth.accounts.privateKeyToAccount(testSigner1PK);
|
||||
const testSigner2 = web3.eth.accounts.privateKeyToAccount(testSigner2PK);
|
||||
const testChainId = "2";
|
||||
const testGovernanceChainId = "1";
|
||||
const testGovernanceContract = "0x0000000000000000000000000000000000000000000000000000000000000004";
|
||||
let WETH = "0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2";
|
||||
const testForeignChainId = "1";
|
||||
const testForeignBridgeContract = "0x000000000000000000000000000000000000000000000000000000000000ffff";
|
||||
const testBridgedAssetChain = "0001";
|
||||
const testBridgedAssetAddress = "000000000000000000000000b7a2211e8165943192ad04f5dd21bedc29ff003e";
|
||||
|
||||
|
||||
it("should be initialized with the correct signers and values", async function () {
|
||||
const initialized = new web3.eth.Contract(BridgeImplementationFullABI, NFTBridge.address);
|
||||
|
||||
const tokenImplentation = await initialized.methods.tokenImplementation().call();
|
||||
assert.equal(tokenImplentation, NFTImplementation.address);
|
||||
|
||||
// test beacon functionality
|
||||
const beaconImplementation = await initialized.methods.implementation().call();
|
||||
assert.equal(beaconImplementation, NFTImplementation.address);
|
||||
|
||||
// chain id
|
||||
const chainId = await initialized.methods.chainId().call();
|
||||
assert.equal(chainId, testChainId);
|
||||
|
||||
// governance
|
||||
const governanceChainId = await initialized.methods.governanceChainId().call();
|
||||
assert.equal(governanceChainId, testGovernanceChainId);
|
||||
const governanceContract = await initialized.methods.governanceContract().call();
|
||||
assert.equal(governanceContract, testGovernanceContract);
|
||||
})
|
||||
|
||||
it("should register a foreign bridge implementation correctly", async function () {
|
||||
const initialized = new web3.eth.Contract(BridgeImplementationFullABI, NFTBridge.address);
|
||||
const accounts = await web3.eth.getAccounts();
|
||||
|
||||
let data = [
|
||||
"0x",
|
||||
"00000000000000000000000000000000000000000000004e4654427269646765",
|
||||
"01",
|
||||
"0000",
|
||||
web3.eth.abi.encodeParameter("uint16", testForeignChainId).substring(2 + (64 - 4)),
|
||||
web3.eth.abi.encodeParameter("bytes32", testForeignBridgeContract).substring(2),
|
||||
].join('')
|
||||
|
||||
const vm = await signAndEncodeVM(
|
||||
1,
|
||||
1,
|
||||
testGovernanceChainId,
|
||||
testGovernanceContract,
|
||||
0,
|
||||
data,
|
||||
[
|
||||
testSigner1PK
|
||||
],
|
||||
0,
|
||||
0
|
||||
);
|
||||
|
||||
|
||||
let before = await initialized.methods.bridgeContracts(testForeignChainId).call();
|
||||
|
||||
assert.equal(before, "0x0000000000000000000000000000000000000000000000000000000000000000");
|
||||
|
||||
await initialized.methods.registerChain("0x" + vm).send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
let after = await initialized.methods.bridgeContracts(testForeignChainId).call();
|
||||
|
||||
assert.equal(after, testForeignBridgeContract);
|
||||
})
|
||||
|
||||
it("should accept a valid upgrade", async function () {
|
||||
const initialized = new web3.eth.Contract(BridgeImplementationFullABI, NFTBridge.address);
|
||||
const accounts = await web3.eth.getAccounts();
|
||||
|
||||
const mock = await MockBridgeImplementation.new();
|
||||
|
||||
let data = [
|
||||
"0x",
|
||||
"00000000000000000000000000000000000000000000004e4654427269646765",
|
||||
"02",
|
||||
web3.eth.abi.encodeParameter("uint16", testChainId).substring(2 + (64 - 4)),
|
||||
web3.eth.abi.encodeParameter("address", mock.address).substring(2),
|
||||
].join('')
|
||||
|
||||
const vm = await signAndEncodeVM(
|
||||
1,
|
||||
1,
|
||||
testGovernanceChainId,
|
||||
testGovernanceContract,
|
||||
0,
|
||||
data,
|
||||
[
|
||||
testSigner1PK
|
||||
],
|
||||
0,
|
||||
0
|
||||
);
|
||||
|
||||
let before = await web3.eth.getStorageAt(NFTBridge.address, "0x360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc");
|
||||
|
||||
assert.equal(before.toLowerCase(), NFTBridgeImplementation.address.toLowerCase());
|
||||
|
||||
await initialized.methods.upgrade("0x" + vm).send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
let after = await web3.eth.getStorageAt(NFTBridge.address, "0x360894a13ba1a3210667c828492db98dca3e2076cc3735a920a3ca505d382bbc");
|
||||
|
||||
assert.equal(after.toLowerCase(), mock.address.toLowerCase());
|
||||
|
||||
const mockImpl = new web3.eth.Contract(MockBridgeImplementation.abi, NFTBridge.address);
|
||||
|
||||
let isUpgraded = await mockImpl.methods.testNewImplementationActive().call();
|
||||
|
||||
assert.ok(isUpgraded);
|
||||
})
|
||||
|
||||
it("bridged tokens should only be mint- and burn-able by owner", async function () {
|
||||
const accounts = await web3.eth.getAccounts();
|
||||
|
||||
// initialize our template token contract
|
||||
const token = new web3.eth.Contract(NFTImplementation.abi, NFTImplementation.address);
|
||||
|
||||
await token.methods.initialize(
|
||||
"TestToken",
|
||||
"TT",
|
||||
accounts[0],
|
||||
|
||||
0,
|
||||
"0x0"
|
||||
).send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
await token.methods.mint(accounts[0], 10, "").send({
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
let failed = false
|
||||
try {
|
||||
await token.methods.mint(accounts[0], 11, "").send({
|
||||
from: accounts[1],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
} catch (e) {
|
||||
failed = true
|
||||
}
|
||||
assert.ok(failed)
|
||||
|
||||
failed = false
|
||||
try {
|
||||
await token.methods.burn(10).send({
|
||||
from: accounts[1],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
} catch (e) {
|
||||
failed = true
|
||||
}
|
||||
assert.ok(failed)
|
||||
|
||||
await token.methods.burn(10).send({
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
})
|
||||
|
||||
it("should deposit and log transfers correctly", async function () {
|
||||
const accounts = await web3.eth.getAccounts();
|
||||
const tokenId = "1000000000000000000";
|
||||
|
||||
// mint and approve tokens
|
||||
const token = new web3.eth.Contract(NFTImplementation.abi, NFTImplementation.address);
|
||||
await token.methods.mint(accounts[0], tokenId, "abcd").send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
await token.methods.approve(NFTBridge.address, tokenId).send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
// deposit tokens
|
||||
const initialized = new web3.eth.Contract(BridgeImplementationFullABI, NFTBridge.address);
|
||||
|
||||
const ownerBefore = await token.methods.ownerOf(tokenId).call();
|
||||
assert.equal(ownerBefore, accounts[0]);
|
||||
await initialized.methods.transferNFT(
|
||||
NFTImplementation.address,
|
||||
tokenId,
|
||||
"10",
|
||||
"0x000000000000000000000000b7a2211e8165943192ad04f5dd21bedc29ff003e",
|
||||
"234"
|
||||
).send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
const ownerAfter = await token.methods.ownerOf(tokenId).call();
|
||||
assert.equal(ownerAfter, NFTBridge.address);
|
||||
|
||||
// check transfer log
|
||||
const wormhole = new web3.eth.Contract(WormholeImplementationFullABI, Wormhole.address);
|
||||
const log = (await wormhole.getPastEvents('LogMessagePublished', {
|
||||
fromBlock: 'latest'
|
||||
}))[0].returnValues
|
||||
|
||||
assert.equal(log.sender, NFTBridge.address)
|
||||
|
||||
assert.equal(log.payload.length - 2, 340);
|
||||
|
||||
// payload id
|
||||
assert.equal(log.payload.substr(2, 2), "01");
|
||||
|
||||
// token
|
||||
assert.equal(log.payload.substr(4, 64), web3.eth.abi.encodeParameter("address", NFTImplementation.address).substring(2));
|
||||
|
||||
// chain id
|
||||
assert.equal(log.payload.substr(68, 4), web3.eth.abi.encodeParameter("uint16", testChainId).substring(2 + 64 - 4))
|
||||
|
||||
// symbol (TT)
|
||||
assert.equal(log.payload.substr(72, 64), "5454000000000000000000000000000000000000000000000000000000000000")
|
||||
|
||||
// name (TestToken (Wormhole))
|
||||
assert.equal(log.payload.substr(136, 64), "54657374546f6b656e0000000000000000000000000000000000000000000000")
|
||||
|
||||
// tokenID
|
||||
assert.equal(log.payload.substr(200, 64), web3.eth.abi.encodeParameter("uint256", new BigNumber(tokenId).toString()).substring(2));
|
||||
|
||||
// url length
|
||||
assert.equal(log.payload.substr(264, 2), web3.eth.abi.encodeParameter("uint8", 4).substring(2 + 64 - 2))
|
||||
|
||||
// url
|
||||
assert.equal(log.payload.substr(266, 8), "61626364")
|
||||
|
||||
// to
|
||||
assert.equal(log.payload.substr(274, 64), "000000000000000000000000b7a2211e8165943192ad04f5dd21bedc29ff003e");
|
||||
|
||||
// to chain id
|
||||
assert.equal(log.payload.substr(338, 4), web3.eth.abi.encodeParameter("uint16", 10).substring(2 + 64 - 4))
|
||||
})
|
||||
|
||||
it("should transfer out locked assets for a valid transfer vm", async function () {
|
||||
const accounts = await web3.eth.getAccounts();
|
||||
const tokenId = "1000000000000000000";
|
||||
|
||||
const token = new web3.eth.Contract(NFTImplementation.abi, NFTImplementation.address);
|
||||
const initialized = new web3.eth.Contract(BridgeImplementationFullABI, NFTBridge.address);
|
||||
|
||||
const ownerBefore = await token.methods.ownerOf(tokenId).call();
|
||||
assert.equal(ownerBefore, NFTBridge.address);
|
||||
|
||||
// PayloadID uint8 = 1
|
||||
// // Address of the NFT. Left-zero-padded if shorter than 32 bytes
|
||||
// NFTAddress [32]uint8
|
||||
// // Chain ID of the NFT
|
||||
// NFTChain uint16
|
||||
// // Name of the NFT
|
||||
// Name [32]uint8
|
||||
// // Symbol of the NFT
|
||||
// Symbol [10]uint8
|
||||
// // ID of the token (big-endian uint256)
|
||||
// TokenID [32]uint8
|
||||
// // URL of the NFT
|
||||
// URLLength u8
|
||||
// URL [n]uint8
|
||||
// // Address of the recipient. Left-zero-padded if shorter than 32 bytes
|
||||
// To [32]uint8
|
||||
// // Chain ID of the recipient
|
||||
// ToChain uint16
|
||||
const data = "0x" +
|
||||
"01" +
|
||||
// tokenaddress
|
||||
web3.eth.abi.encodeParameter("address", NFTImplementation.address).substr(2) +
|
||||
// tokenchain
|
||||
web3.eth.abi.encodeParameter("uint16", testChainId).substring(2 + (64 - 4)) +
|
||||
// symbol
|
||||
"0000000000000000000000000000000000000000000000000000000000000000" +
|
||||
// name
|
||||
"0000000000000000000000000000000000000000000000000000000000000000" +
|
||||
// tokenID
|
||||
web3.eth.abi.encodeParameter("uint256", new BigNumber(tokenId).toString()).substring(2) +
|
||||
// url length
|
||||
"00" +
|
||||
// no URL
|
||||
"" +
|
||||
// receiver
|
||||
web3.eth.abi.encodeParameter("address", accounts[0]).substr(2) +
|
||||
// receiving chain
|
||||
web3.eth.abi.encodeParameter("uint16", testChainId).substring(2 + (64 - 4));
|
||||
|
||||
const vm = await signAndEncodeVM(
|
||||
0,
|
||||
0,
|
||||
testForeignChainId,
|
||||
testForeignBridgeContract,
|
||||
0,
|
||||
data,
|
||||
[
|
||||
testSigner1PK
|
||||
],
|
||||
0,
|
||||
0
|
||||
);
|
||||
|
||||
await initialized.methods.completeTransfer("0x" + vm).send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
const ownerAfter = await token.methods.ownerOf(tokenId).call();
|
||||
assert.equal(ownerAfter, accounts[0]);
|
||||
})
|
||||
|
||||
it("should mint bridged assets wrappers on transfer from another chain and handle fees correctly", async function () {
|
||||
const accounts = await web3.eth.getAccounts();
|
||||
let tokenId = "1000000000000000001";
|
||||
|
||||
const initialized = new web3.eth.Contract(BridgeImplementationFullABI, NFTBridge.address);
|
||||
|
||||
// we are using the asset where we created a wrapper in the previous test
|
||||
let data = "0x" +
|
||||
"01" +
|
||||
// tokenaddress
|
||||
testBridgedAssetAddress +
|
||||
// tokenchain
|
||||
testBridgedAssetChain +
|
||||
// symbol
|
||||
"464f520000000000000000000000000000000000000000000000000000000000" +
|
||||
// name
|
||||
"466f726569676e20436861696e204e4654000000000000000000000000000000" +
|
||||
// tokenID
|
||||
web3.eth.abi.encodeParameter("uint256", new BigNumber(tokenId).toString()).substring(2) +
|
||||
// url length
|
||||
"00" +
|
||||
// no URL
|
||||
"" +
|
||||
// receiver
|
||||
web3.eth.abi.encodeParameter("address", accounts[0]).substr(2) +
|
||||
// receiving chain
|
||||
web3.eth.abi.encodeParameter("uint16", testChainId).substring(2 + (64 - 4));
|
||||
|
||||
let vm = await signAndEncodeVM(
|
||||
0,
|
||||
0,
|
||||
testForeignChainId,
|
||||
testForeignBridgeContract,
|
||||
0,
|
||||
data,
|
||||
[
|
||||
testSigner1PK
|
||||
],
|
||||
0,
|
||||
0
|
||||
);
|
||||
|
||||
await initialized.methods.completeTransfer("0x" + vm).send({
|
||||
value: 0,
|
||||
from: accounts[1],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
const wrappedAddress = await initialized.methods.wrappedAsset("0x" + testBridgedAssetChain, "0x" + testBridgedAssetAddress).call();
|
||||
assert.ok(await initialized.methods.isWrappedAsset(wrappedAddress).call())
|
||||
const wrappedAsset = new web3.eth.Contract(NFTImplementation.abi, wrappedAddress);
|
||||
|
||||
let ownerAfter = await wrappedAsset.methods.ownerOf(tokenId).call();
|
||||
assert.equal(ownerAfter, accounts[0]);
|
||||
|
||||
const symbol = await wrappedAsset.methods.symbol().call();
|
||||
assert.equal(symbol, "FOR");
|
||||
|
||||
const name = await wrappedAsset.methods.name().call();
|
||||
assert.equal(name, "Foreign Chain NFT");
|
||||
|
||||
const chainId = await wrappedAsset.methods.chainId().call();
|
||||
assert.equal(chainId, 1);
|
||||
|
||||
const nativeContract = await wrappedAsset.methods.nativeContract().call();
|
||||
assert.equal(nativeContract, "0x000000000000000000000000b7a2211e8165943192ad04f5dd21bedc29ff003e");
|
||||
|
||||
// Transfer another tokenID of the same token address
|
||||
tokenId = "1000000000000000002"
|
||||
data = "0x" +
|
||||
"01" +
|
||||
// tokenaddress
|
||||
testBridgedAssetAddress +
|
||||
// tokenchain
|
||||
testBridgedAssetChain +
|
||||
// symbol
|
||||
"464f520000000000000000000000000000000000000000000000000000000000" +
|
||||
// name
|
||||
"466f726569676e20436861696e204e4654000000000000000000000000000000" +
|
||||
// tokenID
|
||||
web3.eth.abi.encodeParameter("uint256", new BigNumber(tokenId + 1).toString()).substring(2) +
|
||||
// url length
|
||||
"00" +
|
||||
// no URL
|
||||
"" +
|
||||
// receiver
|
||||
web3.eth.abi.encodeParameter("address", accounts[0]).substr(2) +
|
||||
// receiving chain
|
||||
web3.eth.abi.encodeParameter("uint16", testChainId).substring(2 + (64 - 4));
|
||||
|
||||
vm = await signAndEncodeVM(
|
||||
0,
|
||||
0,
|
||||
testForeignChainId,
|
||||
testForeignBridgeContract,
|
||||
1,
|
||||
data,
|
||||
[
|
||||
testSigner1PK
|
||||
],
|
||||
0,
|
||||
0
|
||||
);
|
||||
|
||||
await initialized.methods.completeTransfer("0x" + vm).send({
|
||||
value: 0,
|
||||
from: accounts[1],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
ownerAfter = await wrappedAsset.methods.ownerOf(tokenId + 1).call();
|
||||
assert.equal(ownerAfter, accounts[0]);
|
||||
})
|
||||
|
||||
it("should burn bridged assets wrappers on transfer to another chain", async function () {
|
||||
|
||||
const accounts = await web3.eth.getAccounts();
|
||||
const initialized = new web3.eth.Contract(BridgeImplementationFullABI, NFTBridge.address);
|
||||
const tokenId = "1000000000000000001";
|
||||
|
||||
const wrappedAddress = await initialized.methods.wrappedAsset("0x" + testBridgedAssetChain, "0x" + testBridgedAssetAddress).call();
|
||||
const wrappedAsset = new web3.eth.Contract(NFTImplementation.abi, wrappedAddress);
|
||||
|
||||
await wrappedAsset.methods.approve(NFTBridge.address, tokenId).send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
// deposit tokens
|
||||
|
||||
const ownerBefore = await wrappedAsset.methods.ownerOf(tokenId).call();
|
||||
|
||||
assert.equal(ownerBefore, accounts[0]);
|
||||
|
||||
await initialized.methods.transferNFT(
|
||||
wrappedAddress,
|
||||
tokenId,
|
||||
"10",
|
||||
"0x000000000000000000000000b7a2211e8165943192ad04f5dd21bedc29ff003e",
|
||||
"234"
|
||||
).send({
|
||||
value: 0,
|
||||
from: accounts[0],
|
||||
gasLimit: 2000000
|
||||
});
|
||||
|
||||
try {
|
||||
await wrappedAsset.methods.ownerOf(tokenId).call();
|
||||
assert.fail("burned token still exists")
|
||||
} catch (e) {
|
||||
assert.equal(e.data[Object.keys(e.data)[0]].reason, "ERC721: owner query for nonexistent token")
|
||||
}
|
||||
})
|
||||
});
|
||||
|
||||
const signAndEncodeVM = async function (
|
||||
timestamp,
|
||||
nonce,
|
||||
emitterChainId,
|
||||
emitterAddress,
|
||||
sequence,
|
||||
data,
|
||||
signers,
|
||||
guardianSetIndex,
|
||||
consistencyLevel
|
||||
) {
|
||||
const body = [
|
||||
web3.eth.abi.encodeParameter("uint32", timestamp).substring(2 + (64 - 8)),
|
||||
web3.eth.abi.encodeParameter("uint32", nonce).substring(2 + (64 - 8)),
|
||||
web3.eth.abi.encodeParameter("uint16", emitterChainId).substring(2 + (64 - 4)),
|
||||
web3.eth.abi.encodeParameter("bytes32", emitterAddress).substring(2),
|
||||
web3.eth.abi.encodeParameter("uint64", sequence).substring(2 + (64 - 16)),
|
||||
web3.eth.abi.encodeParameter("uint8", consistencyLevel).substring(2 + (64 - 2)),
|
||||
data.substr(2)
|
||||
]
|
||||
|
||||
const hash = web3.utils.soliditySha3(web3.utils.soliditySha3("0x" + body.join("")))
|
||||
|
||||
let signatures = "";
|
||||
|
||||
for (let i in signers) {
|
||||
const ec = new elliptic.ec("secp256k1");
|
||||
const key = ec.keyFromPrivate(signers[i]);
|
||||
const signature = key.sign(hash.substr(2), {canonical: true});
|
||||
|
||||
const packSig = [
|
||||
web3.eth.abi.encodeParameter("uint8", i).substring(2 + (64 - 2)),
|
||||
zeroPadBytes(signature.r.toString(16), 32),
|
||||
zeroPadBytes(signature.s.toString(16), 32),
|
||||
web3.eth.abi.encodeParameter("uint8", signature.recoveryParam).substr(2 + (64 - 2)),
|
||||
]
|
||||
|
||||
signatures += packSig.join("")
|
||||
}
|
||||
|
||||
const vm = [
|
||||
web3.eth.abi.encodeParameter("uint8", 1).substring(2 + (64 - 2)),
|
||||
web3.eth.abi.encodeParameter("uint32", guardianSetIndex).substring(2 + (64 - 8)),
|
||||
web3.eth.abi.encodeParameter("uint8", signers.length).substring(2 + (64 - 2)),
|
||||
|
||||
signatures,
|
||||
body.join("")
|
||||
].join("");
|
||||
|
||||
return vm
|
||||
}
|
||||
|
||||
function zeroPadBytes(value, length) {
|
||||
while (value.length < 2 * length) {
|
||||
value = "0" + value;
|
||||
}
|
||||
return value;
|
||||
}
|
|
@ -51,9 +51,11 @@ RUN --mount=type=cache,target=bridge/target \
|
|||
cargo build-bpf --manifest-path "bridge/cpi_poster/Cargo.toml" && \
|
||||
cargo build-bpf --manifest-path "modules/token_bridge/program/Cargo.toml" && \
|
||||
cargo build-bpf --manifest-path "pyth2wormhole/program/Cargo.toml" && \
|
||||
cargo build-bpf --manifest-path "modules/nft_bridge/program/Cargo.toml" && \
|
||||
cp bridge/target/deploy/bridge.so /opt/solana/deps/bridge.so && \
|
||||
cp bridge/target/deploy/cpi_poster.so /opt/solana/deps/cpi_poster.so && \
|
||||
cp modules/token_bridge/target/deploy/token_bridge.so /opt/solana/deps/token_bridge.so && \
|
||||
cp modules/nft_bridge/target/deploy/nft_bridge.so /opt/solana/deps/nft_bridge.so && \
|
||||
cp modules/token_bridge/token-metadata/spl_token_metadata.so /opt/solana/deps/spl_token_metadata.so && \
|
||||
cp pyth2wormhole/target/deploy/pyth2wormhole.so /opt/solana/deps/pyth2wormhole.so
|
||||
|
||||
|
|
|
@ -35,11 +35,23 @@ RUN --mount=type=cache,target=/root/.cache \
|
|||
--mount=type=cache,target=modules/token_bridge/target \
|
||||
cd modules/token_bridge/program && /usr/local/cargo/bin/wasm-pack build --target nodejs -d nodejs -- --features wasm
|
||||
|
||||
# Compile NFT Bridge
|
||||
RUN --mount=type=cache,target=/root/.cache \
|
||||
--mount=type=cache,target=modules/nft_bridge/target \
|
||||
cd modules/nft_bridge/program && /usr/local/cargo/bin/wasm-pack build --target bundler -d bundler -- --features wasm
|
||||
|
||||
RUN --mount=type=cache,target=/root/.cache \
|
||||
--mount=type=cache,target=modules/nft_bridge/target \
|
||||
cd modules/nft_bridge/program && /usr/local/cargo/bin/wasm-pack build --target nodejs -d nodejs -- --features wasm
|
||||
|
||||
FROM scratch AS export
|
||||
|
||||
COPY --from=build /usr/src/bridge/bridge/program/bundler sdk/js/src/solana/core
|
||||
COPY --from=build /usr/src/bridge/modules/token_bridge/program/bundler sdk/js/src/solana/token
|
||||
COPY --from=build /usr/src/bridge/modules/nft_bridge/program/bundler sdk/js/src/solana/nft
|
||||
|
||||
COPY --from=build /usr/src/bridge/bridge/program/nodejs clients/solana/pkg
|
||||
COPY --from=build /usr/src/bridge/bridge/program/nodejs clients/token_bridge/pkg/core
|
||||
COPY --from=build /usr/src/bridge/bridge/program/nodejs clients/nft_bridge/pkg/core
|
||||
COPY --from=build /usr/src/bridge/modules/token_bridge/program/nodejs clients/token_bridge/pkg/token
|
||||
COPY --from=build /usr/src/bridge/modules/nft_bridge/program/nodejs clients/nft_bridge/pkg/nft
|
||||
|
|
|
@ -23,6 +23,7 @@ EOF
|
|||
# Constants
|
||||
cli_address=6sbzC1eH4FTujJXWj51eQe25cYvr4xfXbJ1vAj7j2k5J
|
||||
bridge_address=Bridge1p5gheXUvJ6jGWGeCsgPKgnE3YgdGKRVCMY9o
|
||||
nft_bridge_address=NFTWqJR8YnRVqPDvTJrYuLrQDitTG5AScqbeghi4zSA
|
||||
token_bridge_address=B6RHG3mfcckmrYN1UhmJzyS1XX3fZKbkeUcpJe9Sy3FE
|
||||
initial_guardian=befa429d57cd18b7f8a4d91a2da9ab4af05d0fbe
|
||||
recipient_address=90F8bf6A479f320ead074411a4B0e7944Ea8c9C1
|
||||
|
@ -71,12 +72,19 @@ retry client create-bridge "$bridge_address" "$initial_guardian" 86400 100
|
|||
|
||||
# Initialize the token bridge
|
||||
retry token-bridge-client create-bridge "$token_bridge_address" "$bridge_address"
|
||||
# Initialize the NFT bridge
|
||||
retry token-bridge-client create-bridge "$nft_bridge_address" "$bridge_address"
|
||||
|
||||
# Register the Solana Endpoint on ETH
|
||||
pushd /usr/src/clients/token_bridge
|
||||
# Register the Token Bridge Endpoint on ETH
|
||||
node main.js solana execute_governance_vaa $(node main.js generate_register_chain_vaa 2 0x0000000000000000000000000290FB167208Af455bB137780163b7B7a9a10C16)
|
||||
node main.js solana execute_governance_vaa $(node main.js generate_register_chain_vaa 3 0x000000000000000000000000784999135aaa8a3ca5914468852fdddbddd8789d)
|
||||
popd
|
||||
|
||||
pushd /usr/src/clients/nft_bridge
|
||||
# Register the NFT Bridge Endpoint on ETH
|
||||
node main.js solana execute_governance_vaa $(node main.js generate_register_chain_vaa 2 0x00000000000000000000000026b4afb60d6c903165150c6f0aa14f8016be4aec)
|
||||
popd
|
||||
|
||||
# Let k8s startup probe succeed
|
||||
nc -k -l -p 2000
|
||||
|
|
Loading…
Reference in New Issue