From 9a56529efd1b5cb036d44f6bc7925bc624797edd Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 2 Aug 2024 10:39:19 -0700 Subject: [PATCH 01/73] initial setup --- build/.pages | 1 + build/build-multichain-applications/.pages | 4 + build/build-multichain-applications/index.md | 4 + .../wormhole-sdk.md | 625 ++++++++++++++++++ 4 files changed, 634 insertions(+) create mode 100644 build/build-multichain-applications/.pages create mode 100644 build/build-multichain-applications/index.md create mode 100644 build/build-multichain-applications/wormhole-sdk.md diff --git a/build/.pages b/build/.pages index 53755afec..e414f7703 100644 --- a/build/.pages +++ b/build/.pages @@ -2,3 +2,4 @@ title: Build nav: - index.md - start-building + - build-multichain-applications diff --git a/build/build-multichain-applications/.pages b/build/build-multichain-applications/.pages new file mode 100644 index 000000000..c686b3d7a --- /dev/null +++ b/build/build-multichain-applications/.pages @@ -0,0 +1,4 @@ +title: Build Multichain Apps +nav: + - index.md + - 'Wormhole SDK': 'wormhole-sdk.md' diff --git a/build/build-multichain-applications/index.md b/build/build-multichain-applications/index.md new file mode 100644 index 000000000..61e80317a --- /dev/null +++ b/build/build-multichain-applications/index.md @@ -0,0 +1,4 @@ +--- +title: TODO +description: TODO +--- diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md new file mode 100644 index 000000000..fd712dc67 --- /dev/null +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -0,0 +1,625 @@ +# Wormhole TS SDK + +The Wormhole Typescript SDK is useful for interacting with the chains Wormhole supports and the [protocols](#protocols) built on top of Wormhole. + +## Warning + +:warning: This package is a Work in Progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues) any issues you find. :warning: + +## Installation + +### Basic + +Install the (meta) package + +```bash +npm install @wormhole-foundation/sdk +``` + +This package combines all the individual packages in a way that makes setup easier while still allowing for tree shaking. + +### Advanced + +Alternatively, for an advanced user, install a specific set of the packages published. + +```bash +# constants +npm install @wormhole-foundation/sdk-base +# contract interfaces, basic types, vaa payload definitions +npm install @wormhole-foundation/sdk-definitions +# Evm specific utilities +npm install @wormhole-foundation/sdk-evm +# Evm TokenBridge protocol client +npm install @wormhole-foundation/sdk-evm-tokenbridge +``` + +## Usage + +Getting started is simple, just import Wormhole and the [Platform](#platforms) modules you wish to support + + +```ts +import { wormhole } from "@wormhole-foundation/sdk"; +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L2) + + +And pass those to the Wormhole constructor to make them available for use + + +```ts + const wh = await wormhole("Testnet", [evm, solana, aptos, algorand, cosmwasm, sui]); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L16) + + +With a configured Wormhole object, we have the ability to do things like; parse addresses for the platforms we passed, get a [ChainContext](#chain-context) object, or fetch VAAs. + + +```ts + // Grab a ChainContext object from our configured Wormhole instance + const ctx = wh.getChain("Solana"); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L20) + + + +```ts + // Get the VAA from the wormhole message id + const vaa = await wh.getVaa( + // Wormhole Message ID + whm!, + // Protocol:Payload name to use for decoding the VAA payload + "TokenBridge:Transfer", + // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available + 60_000, + ); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L49) + + + +Optionally, the default configuration may be overriden in the case that you want to support, eg a different RPC endpoint. + + +```ts + // Pass a partial WormholeConfig object to override specific + // fields in the default config + const wh = await wormhole("Testnet", [solana], { + chains: { + Solana: { + contracts: { + coreBridge: "11111111111111111111111111111", + }, + rpc: "https://api.devnet.solana.com", + }, + }, + }); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/config.ts#L5) + + +## Concepts + +Understanding several higher level concepts of the SDK will help in using it effectively. + +### Platforms + +Every chain is its own special snowflake but many of them share similar functionality. The `Platform` modules provide a consistent interface for interacting with the chains that share a platform. + +Each platform can be installed separately so that dependencies can stay as slim as possible. + +### Chain Context + +The `Wormhole` class provides a `getChain` method that returns a `ChainContext` object for a given chain. This object provides access to the chain specific methods and utilities. Much of the functionality in the `ChainContext` is provided by the `Platform` methods but the specific chain may have overridden methods. + +The ChainContext object is also responsible for holding a cached rpc client and protocol clients. + +```ts +// Get the chain context for the source and destination chains +// This is useful to grab direct clients for the protocols +const srcChain = wh.getChain(senderAddress.chain); +const dstChain = wh.getChain(receiverAddress.chain); + +const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> +srcChain.getRpcClient(); // => RpcClient<'Evm'> +``` + + +### Addresses + +Within the Wormhole context, addresses are often [normalized](https://docs.wormhole.com/wormhole/blockchain-environments/evm#addresses) to 32 bytes and referred to in this SDK as a `UniversalAddresses`. + +Each platform comes with an address type that understands the native address formats, unsurprisingly referred to as NativeAddress. This abstraction allows the SDK to work with addresses in a consistent way regardless of the underlying chain. + +```ts +// Its possible to convert a string address to its Native address +const ethAddr: NativeAddress<"Evm"> = toNative("Ethereum", "0xbeef..."); + +// A common type in the SDK is the `ChainAddress` which provides +// the additional context of the `Chain` this address is relevant for. +const senderAddress: ChainAddress = Wormhole.chainAddress("Ethereum","0xbeef..."); +const receiverAddress: ChainAddress = Wormhole.chainAddress("Solana","Sol1111..."); + +// Convert the ChainAddress back to its canonical string address format +const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' + +// Or if the ethAddr above is for an emitter and you need the UniversalAddress +const emitterAddr = ethAddr.toUniversalAddress().toString() +``` + +### Tokens + +Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given Token. + +```ts +// Returns a TokenId +const sourceToken: TokenId = Wormhole.tokenId("Ethereum","0xbeef..."); + +// Whereas the ChainAddress is limited to valid addresses, a TokenId may +// have the string literal 'native' to consistently denote the native +// gas token of the chain +const gasToken: TokenId = Wormhole.tokenId("Ethereum","native"); + +// the same method can be used to convert the TokenId back to its canonical string address format +const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' +``` + + +### Signers + +In order to sign transactions, an object that fulfils the `Signer` interface is required. This is a simple interface that can be implemented by wrapping a web wallet or other signing mechanism. + +```ts +// A Signer is an interface that must be provided to certain methods +// in the SDK to sign transactions. It can be either a SignOnlySigner +// or a SignAndSendSigner depending on circumstances. +// A Signer can be implemented by wrapping an existing offline wallet +// or a web wallet +export type Signer = SignOnlySigner | SignAndSendSigner; + +// A SignOnlySender is for situations where the signer is not +// connected to the network or does not wish to broadcast the +// transactions themselves +export interface SignOnlySigner { + chain(): ChainName; + address(): string; + // Accept an array of unsigned transactions and return + // an array of signed and serialized transactions. + // The transactions may be inspected or altered before + // signing. + // Note: The serialization is chain specific, if in doubt, + // see the example implementations linked below + sign(tx: UnsignedTransaction[]): Promise; +} + +// A SignAndSendSigner is for situations where the signer is +// connected to the network and wishes to broadcast the +// transactions themselves +export interface SignAndSendSigner { + chain(): ChainName; + address(): string; + // Accept an array of unsigned transactions and return + // an array of transaction ids in the same order as the + // UnsignedTransactions array. + signAndSend(tx: UnsignedTransaction[]): Promise; +} +``` + +See the testing signers ([Evm](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts), [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts), ...) for an example of how to implement a signer for a specific chain or platform. + +### Protocols + +While Wormhole itself is a Generic Message Passing protocol, a number of protocols have been built on top of it to provide specific functionality. + +Each Protocol, if available, will have a Platform specific implementation. These implementations provide methods to generate transactions or read state from the contract on-chain. + +#### Wormhole Core + +The protocol that underlies all Wormhole activity is the Core protocol. This protocol is responsible for emitting the message containing the information necessary to perform bridging including [Emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter), the [Sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence) for the message and the Payload of the message itself. + + +```ts + const wh = await wormhole("Testnet", [solana]); + + const chain = wh.getChain("Solana"); + const { signer, address } = await getSigner(chain); + + // Get a reference to the core messaging bridge + const coreBridge = await chain.getWormholeCore(); + + // Generate transactions, sign and send them + const publishTxs = coreBridge.publishMessage( + // Address of sender (emitter in VAA) + address.address, + // Message to send (payload in VAA) + encoding.bytes.encode("lol"), + // Nonce (user defined, no requirement for a specific value, useful to provide a unique identifier for the message) + 0, + // ConsistencyLevel (ie finality of the message, see wormhole docs for more) + 0, + ); + // Send the transaction(s) to publish the message + const txids = await signSendWait(chain, publishTxs, signer); + + // Take the last txid in case multiple were sent + // the last one should be the one containing the relevant + // event or log info + const txid = txids[txids.length - 1]; + + // Grab the wormhole message id from the transaction logs or storage + const [whm] = await chain.parseTransaction(txid!.txid); + + // Or pull the full message content as an Unsigned VAA + // const msgs = await coreBridge.parseMessages(txid!.txid); + // console.log(msgs); + + // Wait for the vaa to be signed and available with a timeout + const vaa = await wh.getVaa(whm!, "Uint8Array", 60_000); + console.log(vaa); + // Also possible to search by txid but it takes longer to show up + // console.log(await wh.getVaaByTxHash(txid!.txid, "Uint8Array")); + + const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); + console.log(await signSendWait(chain, verifyTxs, signer)); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/messaging.ts#L7) + + +Within the payload is the information necessary to perform whatever action is required based on the Protocol that uses it. + +#### Token Bridge + +The most familiar protocol built on Wormhole is the Token Bridge. + +Every chain has a `TokenBridge` protocol client that provides a consistent interface for interacting with the Token Bridge. This includes methods to generate the transactions required to transfer tokens, as well as methods to generate and redeem attestations. + +Using the `WormholeTransfer` abstractions is the recommended way to interact with these protocols but it is possible to use them directly + +```ts +import { signSendWait } from "@wormhole-foundation/sdk"; + +// ... + +const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> + +const token = "0xdeadbeef..."; +const txGenerator = tb.createAttestation(token); // => AsyncGenerator +const txids = await signSendWait(srcChain, txGenerator, src.signer); // => TxHash[] +``` + +Supported protocols are defined in the [definitions module](https://github.com/wormhole-foundation/connect-sdk/tree/main/core/definitions/src/protocols). + + +## Transfers + +While using the [ChainContext](#chain-context) and [Protocol](#protocols) clients directly is possible, to do things like transfer tokens, the SDK provides some helpful abstractions. + +The `WormholeTransfer` interface provides a convenient abstraction to encapsulate the steps involved in a cross-chain transfer. + +### Token Transfers + +Performing a Token Transfer is trivial for any source and destination chains. + +We can create a new `Wormhole` object and use it to to create `TokenTransfer`, `CircleTransfer`, `GatewayTransfer`, etc. objects to transfer tokens between chains. The transfer object is responsible for tracking the transfer through the process and providing updates on its status. + + +```ts + // Create a TokenTransfer object to track the state of the transfer over time + const xfer = await wh.tokenTransfer( + route.token, + route.amount, + route.source.address, + route.destination.address, + route.delivery?.automatic ?? false, + route.payload, + route.delivery?.nativeGas, + ); + + const quote = await TokenTransfer.quoteTransfer( + wh, + route.source.chain, + route.destination.chain, + xfer.transfer, + ); + console.log(quote); + + if (xfer.transfer.automatic && quote.destinationToken.amount < 0) + throw "The amount requested is too low to cover the fee and any native gas requested."; + + // 1) Submit the transactions to the source chain, passing a signer to sign any txns + console.log("Starting transfer"); + const srcTxids = await xfer.initiateTransfer(route.source.signer); + console.log(`Started transfer: `, srcTxids); + + // If automatic, we're done + if (route.delivery?.automatic) return xfer; + + // 2) Wait for the VAA to be signed and ready (not required for auto transfer) + console.log("Getting Attestation"); + const attestIds = await xfer.fetchAttestation(60_000); + console.log(`Got Attestation: `, attestIds); + + // 3) Redeem the VAA on the dest chain + console.log("Completing Transfer"); + const destTxids = await xfer.completeTransfer(route.destination.signer); + console.log(`Completed Transfer: `, destTxids); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/tokenBridge.ts#L122) + + + +Internally, this uses the [TokenBridge](#token-bridge) protocol client to transfer tokens. The `TokenBridge` protocol, like other Protocols, provides a consistent set of methods across all chains to generate a set of transactions for that specific chain. + +### Native USDC Transfers + +We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en/cross-chain-transfer-protocol) + + +```ts + const xfer = await wh.circleTransfer( + // amount as bigint (base units) + req.amount, + // sender chain/address + src.address, + // receiver chain/address + dst.address, + // automatic delivery boolean + req.automatic, + // payload to be sent with the transfer + undefined, + // If automatic, native gas can be requested to be sent to the receiver + req.nativeGas, + ); + + // Note, if the transfer is requested to be Automatic, a fee for performing the relay + // will be present in the quote. The fee comes out of the amount requested to be sent. + // If the user wants to receive 1.0 on the destination, the amount to send should be 1.0 + fee. + // The same applies for native gas dropoff + const quote = await CircleTransfer.quoteTransfer(src.chain, dst.chain, xfer.transfer); + console.log("Quote", quote); + + console.log("Starting Transfer"); + const srcTxids = await xfer.initiateTransfer(src.signer); + console.log(`Started Transfer: `, srcTxids); + + if (req.automatic) { + const relayStatus = await waitForRelay(srcTxids[srcTxids.length - 1]!); + console.log(`Finished relay: `, relayStatus); + return; + } + + // Note: Depending on chain finality, this timeout may need to be increased. + // See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more + console.log("Waiting for Attestation"); + const attestIds = await xfer.fetchAttestation(60_000); + console.log(`Got Attestation: `, attestIds); + + console.log("Completing Transfer"); + const dstTxids = await xfer.completeTransfer(dst.signer); + console.log(`Completed Transfer: `, dstTxids); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cctp.ts#L80) + + + +### Gateway Transfers + +Gateway transfers are transfers that are passed through the Wormhole Gateway to or from Cosmos chains. + +A transfer into Cosmos from outside cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain) + +```ts + console.log( + `Beginning transfer into Cosmos from ${src.chain.chain}:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}`, + ); + + const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, + } as GatewayTransferDetails); + console.log("Created GatewayTransfer: ", xfer.transfer); + + const srcTxIds = await xfer.initiateTransfer(src.signer); + console.log("Started transfer on source chain", srcTxIds); + + const attests = await xfer.fetchAttestation(600_000); + console.log("Got Attestations", attests); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L120) + + +A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain + +```ts + console.log( + `Beginning transfer within cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${dst.chain.chain}:${dst.address.address.toString()}`, + ); + + const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, + } as GatewayTransferDetails); + console.log("Created GatewayTransfer: ", xfer.transfer); + + const srcTxIds = await xfer.initiateTransfer(src.signer); + console.log("Started transfer on source chain", srcTxIds); + + const attests = await xfer.fetchAttestation(60_000); + console.log("Got attests: ", attests); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L152) + + +A transfer leaving Cosmos will produce a VAA from the Gateway that must be manually redeemed on the destination chain + +```ts + console.log( + `Beginning transfer out of cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${dst.chain.chain}:${dst.address.address.toString()}`, + ); + + const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, + } as GatewayTransferDetails); + console.log("Created GatewayTransfer: ", xfer.transfer); + const srcTxIds = await xfer.initiateTransfer(src.signer); + console.log("Started transfer on source chain", srcTxIds); + + const attests = await xfer.fetchAttestation(600_000); + console.log("Got attests", attests); + + // Since we're leaving cosmos, this is required to complete the transfer + const dstTxIds = await xfer.completeTransfer(dst.signer); + console.log("Completed transfer on destination chain", dstTxIds); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L184) + + + +### Recovering Transfers + +It may be necessary to recover a transfer that was abandoned before being completed. This can be done by instantiating the Transfer class with the `from` static method and passing one of several types of identifiers. + +A `TransactionId` or `WormholeMessageId` may be used to recover the transfer + + +```ts + // Rebuild the transfer from the source txid + const xfer = await CircleTransfer.from(wh, txid); + + const attestIds = await xfer.fetchAttestation(60 * 60 * 1000); + console.log("Got attestation: ", attestIds); + + const dstTxIds = await xfer.completeTransfer(signer); + console.log("Completed transfer: ", dstTxIds); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cctp.ts#L130) + + +## Routes + +While a specific `WormholeTransfer` may be used (TokenTransfer, CCTPTransfer, ...), it requires the developer know exactly which transfer type to use for a given request. + +To provide a more flexible and generic interface, the `Wormhole` class provides a method to produce a `RouteResolver` that can be configured with a set of possible routes to be supported. + + +```ts + // create new resolver, passing the set of routes to consider + const resolver = wh.resolver([ + routes.TokenBridgeRoute, // manual token bridge + routes.AutomaticTokenBridgeRoute, // automatic token bridge + routes.CCTPRoute, // manual CCTP + routes.AutomaticCCTPRoute, // automatic CCTP + routes.AutomaticPorticoRoute, // Native eth transfers + ]); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L30) + + +Once created, the resolver can be used to provide a list of input and possible output tokens. + + +```ts + // what tokens are available on the source chain? + const srcTokens = await resolver.supportedSourceTokens(sendChain); + console.log( + "Allowed source tokens: ", + srcTokens.map((t) => canonicalAddress(t)), + ); + + // Grab the first one for the example + // const sendToken = srcTokens[0]!; + const sendToken = Wormhole.tokenId(sendChain.chain, "native"); + + // given the send token, what can we possibly get on the destination chain? + const destTokens = await resolver.supportedDestinationTokens(sendToken, sendChain, destChain); + console.log( + "For the given source token and routes configured, the following tokens may be receivable: ", + destTokens.map((t) => canonicalAddress(t)), + ); + //grab the first one for the example + const destinationToken = destTokens[0]!; +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L41) + + +Once the tokens are selected, a `RouteTransferRequest` may be created to provide a list of routes that can fulfil the request + + +```ts + // creating a transfer request fetches token details + // since all routes will need to know about the tokens + const tr = await routes.RouteTransferRequest.create(wh, { + from: sender.address, + to: receiver.address, + source: sendToken, + destination: destinationToken, + }); + + // resolve the transfer request to a set of routes that can perform it + const foundRoutes = await resolver.findRoutes(tr); + console.log("For the transfer parameters, we found these routes: ", foundRoutes); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L63) + + +Choosing the best route is currently left to the developer but strategies might include sorting by output amount or expected time to complete the transfer (no estimate currently provided). + +After choosing the best route, extra parameters like `amount`, `nativeGasDropoff`, and `slippage` can be passed, depending on the specific route selected and a quote can be retrieved with the validated request. + + +```ts + console.log("This route offers the following default options", bestRoute.getDefaultOptions()); + // Specify the amount as a decimal string + const amt = "0.001"; + // Create the transfer params for this request + const transferParams = { amount: amt, options: { nativeGas: 0 } }; + + // validate the transfer params passed, this returns a new type of ValidatedTransferParams + // which (believe it or not) is a validated version of the input params + // this new var must be passed to the next step, quote + const validated = await bestRoute.validate(transferParams); + if (!validated.valid) throw validated.error; + console.log("Validated parameters: ", validated.params); + + // get a quote for the transfer, this too returns a new type that must + // be passed to the next step, execute (if you like the quote) + const quote = await bestRoute.quote(validated.params); + if (!quote.success) throw quote.error; + console.log("Best route quote: ", quote); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L83) + + + +Finally, assuming the quote looks good, the route can initiate the request with the quote and the `signer` + + +```ts + // Now the transfer may be initiated + // A receipt will be returned, guess what you gotta do with that? + const receipt = await bestRoute.initiate(sender.signer, quote); + console.log("Initiated transfer with receipt: ", receipt); +``` +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L107) + + +Note: See the `router.ts` example in the examples directory for a full working example + + +## See also + +The tsdoc is available [here](https://wormhole-foundation.github.io/wormhole-sdk-ts/) \ No newline at end of file From b0a3717e022b7e9ed927370f6a4535ee079731de Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 2 Aug 2024 10:47:48 -0700 Subject: [PATCH 02/73] grammarly overhaul --- .../wormhole-sdk.md | 40 +++++++++---------- 1 file changed, 20 insertions(+), 20 deletions(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index fd712dc67..8f91908d0 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -16,11 +16,11 @@ Install the (meta) package npm install @wormhole-foundation/sdk ``` -This package combines all the individual packages in a way that makes setup easier while still allowing for tree shaking. +This package combines all the individual packages to make setup easier while allowing for tree shaking. ### Advanced -Alternatively, for an advanced user, install a specific set of the packages published. +Alternatively, for an advanced user, install a specific set of published packages. ```bash # constants @@ -35,7 +35,7 @@ npm install @wormhole-foundation/sdk-evm-tokenbridge ## Usage -Getting started is simple, just import Wormhole and the [Platform](#platforms) modules you wish to support +Getting started is simple; just import Wormhole and the [Platform](#platforms) modules you wish to support ```ts @@ -53,7 +53,7 @@ And pass those to the Wormhole constructor to make them available for use See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L16) -With a configured Wormhole object, we have the ability to do things like; parse addresses for the platforms we passed, get a [ChainContext](#chain-context) object, or fetch VAAs. +With a configured Wormhole object, we can do things like parse addresses for the platforms we passed, get a [ChainContext](#chain-context) object, or fetch VAAs. ```ts @@ -79,7 +79,7 @@ See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/m -Optionally, the default configuration may be overriden in the case that you want to support, eg a different RPC endpoint. +Optionally, the default configuration may be overridden if you want to support a different RPC endpoint. ```ts @@ -101,11 +101,11 @@ See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/m ## Concepts -Understanding several higher level concepts of the SDK will help in using it effectively. +Understanding several higher-level concepts of the SDK will help you use it effectively. ### Platforms -Every chain is its own special snowflake but many of them share similar functionality. The `Platform` modules provide a consistent interface for interacting with the chains that share a platform. +Every chain is its own special snowflake, but many share similar functionality. The `Platform` modules provide a consistent interface for interacting with the chains that share a platform. Each platform can be installed separately so that dependencies can stay as slim as possible. @@ -130,7 +130,7 @@ srcChain.getRpcClient(); // => RpcClient<'Evm'> Within the Wormhole context, addresses are often [normalized](https://docs.wormhole.com/wormhole/blockchain-environments/evm#addresses) to 32 bytes and referred to in this SDK as a `UniversalAddresses`. -Each platform comes with an address type that understands the native address formats, unsurprisingly referred to as NativeAddress. This abstraction allows the SDK to work with addresses in a consistent way regardless of the underlying chain. +Each platform has an address type that understands the native address formats, unsurprisingly referred to as NativeAddress. This abstraction allows the SDK to work with addresses consistently regardless of the underlying chain. ```ts // Its possible to convert a string address to its Native address @@ -168,7 +168,7 @@ const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' ### Signers -In order to sign transactions, an object that fulfils the `Signer` interface is required. This is a simple interface that can be implemented by wrapping a web wallet or other signing mechanism. +An object that fulfils the `Signer` interface is required to sign transactions. This simple interface can be implemented by wrapping a web wallet or other signing mechanism. ```ts // A Signer is an interface that must be provided to certain methods @@ -210,13 +210,13 @@ See the testing signers ([Evm](https://github.com/wormhole-foundation/connect-sd ### Protocols -While Wormhole itself is a Generic Message Passing protocol, a number of protocols have been built on top of it to provide specific functionality. +While Wormhole is a Generic Message Passing (GMP) protocol, several protocols have been built to provide specific functionality. -Each Protocol, if available, will have a Platform specific implementation. These implementations provide methods to generate transactions or read state from the contract on-chain. +If available, each protocol will have a platform-specific implementation. These implementations provide methods to generate transactions or read state from the contract on-chain. #### Wormhole Core -The protocol that underlies all Wormhole activity is the Core protocol. This protocol is responsible for emitting the message containing the information necessary to perform bridging including [Emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter), the [Sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence) for the message and the Payload of the message itself. +The core protocol underlies all Wormhole activity. This protocol is responsible for emitting the message containing the information necessary to perform bridging, including the [Emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter), the [Sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence) for the message, and the Payload of the message itself. ```ts @@ -266,15 +266,15 @@ The protocol that underlies all Wormhole activity is the Core protocol. This pro See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/messaging.ts#L7) -Within the payload is the information necessary to perform whatever action is required based on the Protocol that uses it. +The information necessary to perform whatever action is required based on the Protocol that uses it is within the payload. #### Token Bridge The most familiar protocol built on Wormhole is the Token Bridge. -Every chain has a `TokenBridge` protocol client that provides a consistent interface for interacting with the Token Bridge. This includes methods to generate the transactions required to transfer tokens, as well as methods to generate and redeem attestations. +Every chain has a `TokenBridge` protocol client that provides a consistent interface for interacting with the Token Bridge. This includes methods to generate the transactions required to transfer tokens and methods to generate and redeem attestations. -Using the `WormholeTransfer` abstractions is the recommended way to interact with these protocols but it is possible to use them directly +`WormholeTransfer` abstractions are the recommended way to interact with these protocols but it is possible to use them directly. ```ts import { signSendWait } from "@wormhole-foundation/sdk"; @@ -301,7 +301,7 @@ The `WormholeTransfer` interface provides a convenient abstraction to encapsulat Performing a Token Transfer is trivial for any source and destination chains. -We can create a new `Wormhole` object and use it to to create `TokenTransfer`, `CircleTransfer`, `GatewayTransfer`, etc. objects to transfer tokens between chains. The transfer object is responsible for tracking the transfer through the process and providing updates on its status. +We can create a new `Wormhole` object to make `TokenTransfer,` `CircleTransfer,` `GatewayTransfer,` etc., objects to transfer tokens between chains. The transfer object is responsible for tracking the transfer through the process and providing updates on its status. ```ts @@ -349,7 +349,7 @@ See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/m -Internally, this uses the [TokenBridge](#token-bridge) protocol client to transfer tokens. The `TokenBridge` protocol, like other Protocols, provides a consistent set of methods across all chains to generate a set of transactions for that specific chain. +Internally, this uses the [TokenBridge](#token-bridge) protocol client to transfer tokens. Like other Protocols, the `TokenBridge` protocol provides a consistent set of methods across all chains to generate a set of transactions for that specific chain. ### Native USDC Transfers @@ -405,7 +405,7 @@ See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/m ### Gateway Transfers -Gateway transfers are transfers that are passed through the Wormhole Gateway to or from Cosmos chains. +Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. A transfer into Cosmos from outside cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain) @@ -491,7 +491,7 @@ See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/m ### Recovering Transfers -It may be necessary to recover a transfer that was abandoned before being completed. This can be done by instantiating the Transfer class with the `from` static method and passing one of several types of identifiers. +It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the Transfer class with the `from` static method and pass one of several types of identifiers. A `TransactionId` or `WormholeMessageId` may be used to recover the transfer @@ -511,7 +511,7 @@ See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/m ## Routes -While a specific `WormholeTransfer` may be used (TokenTransfer, CCTPTransfer, ...), it requires the developer know exactly which transfer type to use for a given request. +While a specific `WormholeTransfer` may be used (TokenTransfer, CCTPTransfer, etc.), the developer must know exactly which transfer type to use for a given request. To provide a more flexible and generic interface, the `Wormhole` class provides a method to produce a `RouteResolver` that can be configured with a set of possible routes to be supported. From e87feec11ca5163b50b42c8b880b2f385b9efce8 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 2 Aug 2024 11:22:25 -0700 Subject: [PATCH 03/73] prettify all code snippets --- .../wormhole-sdk.md | 593 +++++++++--------- 1 file changed, 313 insertions(+), 280 deletions(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 8f91908d0..a5288423b 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -1,3 +1,8 @@ +--- +title: Wormhole TS SDK +description: Explore Wormhole's Typescript SDK and learn about how to perform different types of transfers, including Native, Token, USDC, and Gateway Transfers. +--- + # Wormhole TS SDK The Wormhole Typescript SDK is useful for interacting with the chains Wormhole supports and the [protocols](#protocols) built on top of Wormhole. @@ -39,7 +44,7 @@ Getting started is simple; just import Wormhole and the [Platform](#platforms) m ```ts -import { wormhole } from "@wormhole-foundation/sdk"; +import { wormhole } from '@wormhole-foundation/sdk'; ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L2) @@ -48,7 +53,14 @@ And pass those to the Wormhole constructor to make them available for use ```ts - const wh = await wormhole("Testnet", [evm, solana, aptos, algorand, cosmwasm, sui]); +const wh = await wormhole('Testnet', [ + evm, + solana, + aptos, + algorand, + cosmwasm, + sui, +]); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L16) @@ -57,23 +69,23 @@ With a configured Wormhole object, we can do things like parse addresses for the ```ts - // Grab a ChainContext object from our configured Wormhole instance - const ctx = wh.getChain("Solana"); +// Grab a ChainContext object from our configured Wormhole instance +const ctx = wh.getChain('Solana'); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L20) ```ts - // Get the VAA from the wormhole message id - const vaa = await wh.getVaa( - // Wormhole Message ID - whm!, - // Protocol:Payload name to use for decoding the VAA payload - "TokenBridge:Transfer", - // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available - 60_000, - ); +// Get the VAA from the wormhole message id +const vaa = await wh.getVaa( + // Wormhole Message ID + whm!, + // Protocol:Payload name to use for decoding the VAA payload + 'TokenBridge:Transfer', + // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available + 60_000 +); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L49) @@ -83,18 +95,18 @@ Optionally, the default configuration may be overridden if you want to support a ```ts - // Pass a partial WormholeConfig object to override specific - // fields in the default config - const wh = await wormhole("Testnet", [solana], { - chains: { - Solana: { - contracts: { - coreBridge: "11111111111111111111111111111", - }, - rpc: "https://api.devnet.solana.com", +// Pass a partial WormholeConfig object to override specific +// fields in the default config +const wh = await wormhole('Testnet', [solana], { + chains: { + Solana: { + contracts: { + coreBridge: '11111111111111111111111111111', }, + rpc: 'https://api.devnet.solana.com', }, - }); + }, +}); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/config.ts#L5) @@ -125,7 +137,6 @@ const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> srcChain.getRpcClient(); // => RpcClient<'Evm'> ``` - ### Addresses Within the Wormhole context, addresses are often [normalized](https://docs.wormhole.com/wormhole/blockchain-environments/evm#addresses) to 32 bytes and referred to in this SDK as a `UniversalAddresses`. @@ -134,18 +145,24 @@ Each platform has an address type that understands the native address formats, u ```ts // Its possible to convert a string address to its Native address -const ethAddr: NativeAddress<"Evm"> = toNative("Ethereum", "0xbeef..."); +const ethAddr: NativeAddress<'Evm'> = toNative('Ethereum', '0xbeef...'); // A common type in the SDK is the `ChainAddress` which provides // the additional context of the `Chain` this address is relevant for. -const senderAddress: ChainAddress = Wormhole.chainAddress("Ethereum","0xbeef..."); -const receiverAddress: ChainAddress = Wormhole.chainAddress("Solana","Sol1111..."); +const senderAddress: ChainAddress = Wormhole.chainAddress( + 'Ethereum', + '0xbeef...' +); +const receiverAddress: ChainAddress = Wormhole.chainAddress( + 'Solana', + 'Sol1111...' +); // Convert the ChainAddress back to its canonical string address format const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' // Or if the ethAddr above is for an emitter and you need the UniversalAddress -const emitterAddr = ethAddr.toUniversalAddress().toString() +const emitterAddr = ethAddr.toUniversalAddress().toString(); ``` ### Tokens @@ -153,19 +170,18 @@ const emitterAddr = ethAddr.toUniversalAddress().toString() Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given Token. ```ts -// Returns a TokenId -const sourceToken: TokenId = Wormhole.tokenId("Ethereum","0xbeef..."); +// Returns a TokenId +const sourceToken: TokenId = Wormhole.tokenId('Ethereum', '0xbeef...'); // Whereas the ChainAddress is limited to valid addresses, a TokenId may // have the string literal 'native' to consistently denote the native // gas token of the chain -const gasToken: TokenId = Wormhole.tokenId("Ethereum","native"); +const gasToken: TokenId = Wormhole.tokenId('Ethereum', 'native'); // the same method can be used to convert the TokenId back to its canonical string address format const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' ``` - ### Signers An object that fulfils the `Signer` interface is required to sign transactions. This simple interface can be implemented by wrapping a web wallet or other signing mechanism. @@ -220,48 +236,48 @@ The core protocol underlies all Wormhole activity. This protocol is responsible ```ts - const wh = await wormhole("Testnet", [solana]); - - const chain = wh.getChain("Solana"); - const { signer, address } = await getSigner(chain); - - // Get a reference to the core messaging bridge - const coreBridge = await chain.getWormholeCore(); - - // Generate transactions, sign and send them - const publishTxs = coreBridge.publishMessage( - // Address of sender (emitter in VAA) - address.address, - // Message to send (payload in VAA) - encoding.bytes.encode("lol"), - // Nonce (user defined, no requirement for a specific value, useful to provide a unique identifier for the message) - 0, - // ConsistencyLevel (ie finality of the message, see wormhole docs for more) - 0, - ); - // Send the transaction(s) to publish the message - const txids = await signSendWait(chain, publishTxs, signer); - - // Take the last txid in case multiple were sent - // the last one should be the one containing the relevant - // event or log info - const txid = txids[txids.length - 1]; - - // Grab the wormhole message id from the transaction logs or storage - const [whm] = await chain.parseTransaction(txid!.txid); - - // Or pull the full message content as an Unsigned VAA - // const msgs = await coreBridge.parseMessages(txid!.txid); - // console.log(msgs); - - // Wait for the vaa to be signed and available with a timeout - const vaa = await wh.getVaa(whm!, "Uint8Array", 60_000); - console.log(vaa); - // Also possible to search by txid but it takes longer to show up - // console.log(await wh.getVaaByTxHash(txid!.txid, "Uint8Array")); - - const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); - console.log(await signSendWait(chain, verifyTxs, signer)); + const wh = await wormhole('Testnet', [solana]); + +const chain = wh.getChain('Solana'); +const { signer, address } = await getSigner(chain); + +// Get a reference to the core messaging bridge +const coreBridge = await chain.getWormholeCore(); + +// Generate transactions, sign and send them +const publishTxs = coreBridge.publishMessage( + // Address of sender (emitter in VAA) + address.address, + // Message to send (payload in VAA) + encoding.bytes.encode('lol'), + // Nonce (user defined, no requirement for a specific value, useful to provide a unique identifier for the message) + 0, + // ConsistencyLevel (ie finality of the message, see wormhole docs for more) + 0 +); +// Send the transaction(s) to publish the message +const txids = await signSendWait(chain, publishTxs, signer); + +// Take the last txid in case multiple were sent +// the last one should be the one containing the relevant +// event or log info +const txid = txids[txids.length - 1]; + +// Grab the wormhole message id from the transaction logs or storage +const [whm] = await chain.parseTransaction(txid!.txid); + +// Or pull the full message content as an Unsigned VAA +// const msgs = await coreBridge.parseMessages(txid!.txid); +// console.log(msgs); + +// Wait for the vaa to be signed and available with a timeout +const vaa = await wh.getVaa(whm!, 'Uint8Array', 60_000); +console.log(vaa); +// Also possible to search by txid but it takes longer to show up +// console.log(await wh.getVaaByTxHash(txid!.txid, "Uint8Array")); + +const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); +console.log(await signSendWait(chain, verifyTxs, signer)); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/messaging.ts#L7) @@ -277,13 +293,13 @@ Every chain has a `TokenBridge` protocol client that provides a consistent inter `WormholeTransfer` abstractions are the recommended way to interact with these protocols but it is possible to use them directly. ```ts -import { signSendWait } from "@wormhole-foundation/sdk"; +import { signSendWait } from '@wormhole-foundation/sdk'; // ... const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> -const token = "0xdeadbeef..."; +const token = '0xdeadbeef...'; const txGenerator = tb.createAttestation(token); // => AsyncGenerator const txids = await signSendWait(srcChain, txGenerator, src.signer); // => TxHash[] ``` @@ -305,45 +321,45 @@ We can create a new `Wormhole` object to make `TokenTransfer,` `CircleTransfer,` ```ts - // Create a TokenTransfer object to track the state of the transfer over time - const xfer = await wh.tokenTransfer( - route.token, - route.amount, - route.source.address, - route.destination.address, - route.delivery?.automatic ?? false, - route.payload, - route.delivery?.nativeGas, - ); - - const quote = await TokenTransfer.quoteTransfer( - wh, - route.source.chain, - route.destination.chain, - xfer.transfer, - ); - console.log(quote); - - if (xfer.transfer.automatic && quote.destinationToken.amount < 0) - throw "The amount requested is too low to cover the fee and any native gas requested."; - - // 1) Submit the transactions to the source chain, passing a signer to sign any txns - console.log("Starting transfer"); - const srcTxids = await xfer.initiateTransfer(route.source.signer); - console.log(`Started transfer: `, srcTxids); - - // If automatic, we're done - if (route.delivery?.automatic) return xfer; - - // 2) Wait for the VAA to be signed and ready (not required for auto transfer) - console.log("Getting Attestation"); - const attestIds = await xfer.fetchAttestation(60_000); - console.log(`Got Attestation: `, attestIds); - - // 3) Redeem the VAA on the dest chain - console.log("Completing Transfer"); - const destTxids = await xfer.completeTransfer(route.destination.signer); - console.log(`Completed Transfer: `, destTxids); +// Create a TokenTransfer object to track the state of the transfer over time +const xfer = await wh.tokenTransfer( + route.token, + route.amount, + route.source.address, + route.destination.address, + route.delivery?.automatic ?? false, + route.payload, + route.delivery?.nativeGas +); + +const quote = await TokenTransfer.quoteTransfer( + wh, + route.source.chain, + route.destination.chain, + xfer.transfer +); +console.log(quote); + +if (xfer.transfer.automatic && quote.destinationToken.amount < 0) + throw 'The amount requested is too low to cover the fee and any native gas requested.'; + +// 1) Submit the transactions to the source chain, passing a signer to sign any txns +console.log('Starting transfer'); +const srcTxids = await xfer.initiateTransfer(route.source.signer); +console.log(`Started transfer: `, srcTxids); + +// If automatic, we're done +if (route.delivery?.automatic) return xfer; + +// 2) Wait for the VAA to be signed and ready (not required for auto transfer) +console.log('Getting Attestation'); +const attestIds = await xfer.fetchAttestation(60_000); +console.log(`Got Attestation: `, attestIds); + +// 3) Redeem the VAA on the dest chain +console.log('Completing Transfer'); +const destTxids = await xfer.completeTransfer(route.destination.signer); +console.log(`Completed Transfer: `, destTxids); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/tokenBridge.ts#L122) @@ -357,52 +373,55 @@ We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en ```ts - const xfer = await wh.circleTransfer( - // amount as bigint (base units) - req.amount, - // sender chain/address - src.address, - // receiver chain/address - dst.address, - // automatic delivery boolean - req.automatic, - // payload to be sent with the transfer - undefined, - // If automatic, native gas can be requested to be sent to the receiver - req.nativeGas, - ); - - // Note, if the transfer is requested to be Automatic, a fee for performing the relay - // will be present in the quote. The fee comes out of the amount requested to be sent. - // If the user wants to receive 1.0 on the destination, the amount to send should be 1.0 + fee. - // The same applies for native gas dropoff - const quote = await CircleTransfer.quoteTransfer(src.chain, dst.chain, xfer.transfer); - console.log("Quote", quote); - - console.log("Starting Transfer"); - const srcTxids = await xfer.initiateTransfer(src.signer); - console.log(`Started Transfer: `, srcTxids); - - if (req.automatic) { - const relayStatus = await waitForRelay(srcTxids[srcTxids.length - 1]!); - console.log(`Finished relay: `, relayStatus); - return; - } - - // Note: Depending on chain finality, this timeout may need to be increased. - // See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more - console.log("Waiting for Attestation"); - const attestIds = await xfer.fetchAttestation(60_000); - console.log(`Got Attestation: `, attestIds); - - console.log("Completing Transfer"); - const dstTxids = await xfer.completeTransfer(dst.signer); - console.log(`Completed Transfer: `, dstTxids); + const xfer = await wh.circleTransfer( + // amount as bigint (base units) + req.amount, + // sender chain/address + src.address, + // receiver chain/address + dst.address, + // automatic delivery boolean + req.automatic, + // payload to be sent with the transfer + undefined, + // If automatic, native gas can be requested to be sent to the receiver + req.nativeGas +); + +// Note, if the transfer is requested to be Automatic, a fee for performing the relay +// will be present in the quote. The fee comes out of the amount requested to be sent. +// If the user wants to receive 1.0 on the destination, the amount to send should be 1.0 + fee. +// The same applies for native gas dropoff +const quote = await CircleTransfer.quoteTransfer( + src.chain, + dst.chain, + xfer.transfer +); +console.log('Quote', quote); + +console.log('Starting Transfer'); +const srcTxids = await xfer.initiateTransfer(src.signer); +console.log(`Started Transfer: `, srcTxids); + +if (req.automatic) { + const relayStatus = await waitForRelay(srcTxids[srcTxids.length - 1]!); + console.log(`Finished relay: `, relayStatus); + return; +} + +// Note: Depending on chain finality, this timeout may need to be increased. +// See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more +console.log('Waiting for Attestation'); +const attestIds = await xfer.fetchAttestation(60_000); +console.log(`Got Attestation: `, attestIds); + +console.log('Completing Transfer'); +const dstTxids = await xfer.completeTransfer(dst.signer); +console.log(`Completed Transfer: `, dstTxids); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cctp.ts#L80) - ### Gateway Transfers Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. @@ -410,25 +429,27 @@ Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chai A transfer into Cosmos from outside cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain) ```ts - console.log( - `Beginning transfer into Cosmos from ${src.chain.chain}:${src.address.address.toString()} to ${ - dst.chain.chain - }:${dst.address.address.toString()}`, - ); - - const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, - } as GatewayTransferDetails); - console.log("Created GatewayTransfer: ", xfer.transfer); - - const srcTxIds = await xfer.initiateTransfer(src.signer); - console.log("Started transfer on source chain", srcTxIds); - - const attests = await xfer.fetchAttestation(600_000); - console.log("Got Attestations", attests); +console.log( + `Beginning transfer into Cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}` +); + +const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, +} as GatewayTransferDetails); +console.log('Created GatewayTransfer: ', xfer.transfer); + +const srcTxIds = await xfer.initiateTransfer(src.signer); +console.log('Started transfer on source chain', srcTxIds); + +const attests = await xfer.fetchAttestation(600_000); +console.log('Got Attestations', attests); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L120) @@ -436,25 +457,27 @@ See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/m A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain ```ts - console.log( - `Beginning transfer within cosmos from ${ - src.chain.chain - }:${src.address.address.toString()} to ${dst.chain.chain}:${dst.address.address.toString()}`, - ); - - const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, - } as GatewayTransferDetails); - console.log("Created GatewayTransfer: ", xfer.transfer); - - const srcTxIds = await xfer.initiateTransfer(src.signer); - console.log("Started transfer on source chain", srcTxIds); - - const attests = await xfer.fetchAttestation(60_000); - console.log("Got attests: ", attests); +console.log( + `Beginning transfer within cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}` +); + +const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, +} as GatewayTransferDetails); +console.log('Created GatewayTransfer: ', xfer.transfer); + +const srcTxIds = await xfer.initiateTransfer(src.signer); +console.log('Started transfer on source chain', srcTxIds); + +const attests = await xfer.fetchAttestation(60_000); +console.log('Got attests: ', attests); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L152) @@ -462,33 +485,34 @@ See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/m A transfer leaving Cosmos will produce a VAA from the Gateway that must be manually redeemed on the destination chain ```ts - console.log( - `Beginning transfer out of cosmos from ${ - src.chain.chain - }:${src.address.address.toString()} to ${dst.chain.chain}:${dst.address.address.toString()}`, - ); - - const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, - } as GatewayTransferDetails); - console.log("Created GatewayTransfer: ", xfer.transfer); - const srcTxIds = await xfer.initiateTransfer(src.signer); - console.log("Started transfer on source chain", srcTxIds); - - const attests = await xfer.fetchAttestation(600_000); - console.log("Got attests", attests); - - // Since we're leaving cosmos, this is required to complete the transfer - const dstTxIds = await xfer.completeTransfer(dst.signer); - console.log("Completed transfer on destination chain", dstTxIds); +console.log( + `Beginning transfer out of cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}` +); + +const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, +} as GatewayTransferDetails); +console.log('Created GatewayTransfer: ', xfer.transfer); +const srcTxIds = await xfer.initiateTransfer(src.signer); +console.log('Started transfer on source chain', srcTxIds); + +const attests = await xfer.fetchAttestation(600_000); +console.log('Got attests', attests); + +// Since we're leaving cosmos, this is required to complete the transfer +const dstTxIds = await xfer.completeTransfer(dst.signer); +console.log('Completed transfer on destination chain', dstTxIds); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L184) - ### Recovering Transfers It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the Transfer class with the `from` static method and pass one of several types of identifiers. @@ -517,14 +541,14 @@ To provide a more flexible and generic interface, the `Wormhole` class provides ```ts - // create new resolver, passing the set of routes to consider - const resolver = wh.resolver([ - routes.TokenBridgeRoute, // manual token bridge - routes.AutomaticTokenBridgeRoute, // automatic token bridge - routes.CCTPRoute, // manual CCTP - routes.AutomaticCCTPRoute, // automatic CCTP - routes.AutomaticPorticoRoute, // Native eth transfers - ]); +// create new resolver, passing the set of routes to consider +const resolver = wh.resolver([ + routes.TokenBridgeRoute, // manual token bridge + routes.AutomaticTokenBridgeRoute, // automatic token bridge + routes.CCTPRoute, // manual CCTP + routes.AutomaticCCTPRoute, // automatic CCTP + routes.AutomaticPorticoRoute, // Native eth transfers +]); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L30) @@ -533,25 +557,29 @@ Once created, the resolver can be used to provide a list of input and possible o ```ts - // what tokens are available on the source chain? - const srcTokens = await resolver.supportedSourceTokens(sendChain); - console.log( - "Allowed source tokens: ", - srcTokens.map((t) => canonicalAddress(t)), - ); - - // Grab the first one for the example - // const sendToken = srcTokens[0]!; - const sendToken = Wormhole.tokenId(sendChain.chain, "native"); - - // given the send token, what can we possibly get on the destination chain? - const destTokens = await resolver.supportedDestinationTokens(sendToken, sendChain, destChain); - console.log( - "For the given source token and routes configured, the following tokens may be receivable: ", - destTokens.map((t) => canonicalAddress(t)), - ); - //grab the first one for the example - const destinationToken = destTokens[0]!; +// what tokens are available on the source chain? +const srcTokens = await resolver.supportedSourceTokens(sendChain); +console.log( + 'Allowed source tokens: ', + srcTokens.map((t) => canonicalAddress(t)) +); + +// Grab the first one for the example +// const sendToken = srcTokens[0]!; +const sendToken = Wormhole.tokenId(sendChain.chain, 'native'); + +// given the send token, what can we possibly get on the destination chain? +const destTokens = await resolver.supportedDestinationTokens( + sendToken, + sendChain, + destChain +); +console.log( + 'For the given source token and routes configured, the following tokens may be receivable: ', + destTokens.map((t) => canonicalAddress(t)) +); +//grab the first one for the example +const destinationToken = destTokens[0]!; ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L41) @@ -560,18 +588,21 @@ Once the tokens are selected, a `RouteTransferRequest` may be created to provide ```ts - // creating a transfer request fetches token details - // since all routes will need to know about the tokens - const tr = await routes.RouteTransferRequest.create(wh, { - from: sender.address, - to: receiver.address, - source: sendToken, - destination: destinationToken, - }); - - // resolve the transfer request to a set of routes that can perform it - const foundRoutes = await resolver.findRoutes(tr); - console.log("For the transfer parameters, we found these routes: ", foundRoutes); +// creating a transfer request fetches token details +// since all routes will need to know about the tokens +const tr = await routes.RouteTransferRequest.create(wh, { + from: sender.address, + to: receiver.address, + source: sendToken, + destination: destinationToken, +}); + +// resolve the transfer request to a set of routes that can perform it +const foundRoutes = await resolver.findRoutes(tr); +console.log( + 'For the transfer parameters, we found these routes: ', + foundRoutes +); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L63) @@ -582,24 +613,27 @@ After choosing the best route, extra parameters like `amount`, `nativeGasDropoff ```ts - console.log("This route offers the following default options", bestRoute.getDefaultOptions()); - // Specify the amount as a decimal string - const amt = "0.001"; - // Create the transfer params for this request - const transferParams = { amount: amt, options: { nativeGas: 0 } }; - - // validate the transfer params passed, this returns a new type of ValidatedTransferParams - // which (believe it or not) is a validated version of the input params - // this new var must be passed to the next step, quote - const validated = await bestRoute.validate(transferParams); - if (!validated.valid) throw validated.error; - console.log("Validated parameters: ", validated.params); - - // get a quote for the transfer, this too returns a new type that must - // be passed to the next step, execute (if you like the quote) - const quote = await bestRoute.quote(validated.params); - if (!quote.success) throw quote.error; - console.log("Best route quote: ", quote); +console.log( + 'This route offers the following default options', + bestRoute.getDefaultOptions() +); +// Specify the amount as a decimal string +const amt = '0.001'; +// Create the transfer params for this request +const transferParams = { amount: amt, options: { nativeGas: 0 } }; + +// validate the transfer params passed, this returns a new type of ValidatedTransferParams +// which (believe it or not) is a validated version of the input params +// this new var must be passed to the next step, quote +const validated = await bestRoute.validate(transferParams); +if (!validated.valid) throw validated.error; +console.log('Validated parameters: ', validated.params); + +// get a quote for the transfer, this too returns a new type that must +// be passed to the next step, execute (if you like the quote) +const quote = await bestRoute.quote(validated.params); +if (!quote.success) throw quote.error; +console.log('Best route quote: ', quote); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L83) @@ -609,17 +643,16 @@ Finally, assuming the quote looks good, the route can initiate the request with ```ts - // Now the transfer may be initiated - // A receipt will be returned, guess what you gotta do with that? - const receipt = await bestRoute.initiate(sender.signer, quote); - console.log("Initiated transfer with receipt: ", receipt); +// Now the transfer may be initiated +// A receipt will be returned, guess what you gotta do with that? +const receipt = await bestRoute.initiate(sender.signer, quote); +console.log('Initiated transfer with receipt: ', receipt); ``` See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L107) Note: See the `router.ts` example in the examples directory for a full working example - ## See also The tsdoc is available [here](https://wormhole-foundation.github.io/wormhole-sdk-ts/) \ No newline at end of file From a0f1336bcfdc36244538aab33aa8159e9636dc3f Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 2 Aug 2024 13:48:03 -0700 Subject: [PATCH 04/73] in progress --- .../wormhole-sdk/addresses.ts | 19 ++ .../wormhole-sdk/config-override.ts | 12 + .../wormhole-sdk/config.ts | 19 ++ .../wormhole-sdk/core-bridge.ts | 42 +++ .../wormhole-sdk/example-core-bridge.ts | 55 ++++ .../wormhole-sdk/example-token-transfer.ts | 39 +++ .../wormhole-sdk/get-chain.ts | 7 + .../wormhole-sdk/get-vaa-snippet.ts | 9 + .../wormhole-sdk/get-vaa.ts | 92 +++++++ .../wormhole-sdk/signers.ts | 33 +++ .../wormhole-sdk/token-bridge-snippet.ts | 9 + .../wormhole-sdk/token-bridge.ts | 174 ++++++++++++ .../wormhole-sdk/tokens.ts | 10 + .../wormhole-sdk/wormhole-init.ts | 8 + .../wormhole-sdk.md | 254 ++++-------------- 15 files changed, 575 insertions(+), 207 deletions(-) create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts new file mode 100644 index 000000000..b908b6bcd --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts @@ -0,0 +1,19 @@ +// Its possible to convert a string address to its Native address +const ethAddr: NativeAddress<'Evm'> = toNative('Ethereum', '0xbeef...'); + +// A common type in the SDK is the `ChainAddress` which provides +// the additional context of the `Chain` this address is relevant for. +const senderAddress: ChainAddress = Wormhole.chainAddress( + 'Ethereum', + '0xbeef...' +); +const receiverAddress: ChainAddress = Wormhole.chainAddress( + 'Solana', + 'Sol1111...' +); + +// Convert the ChainAddress back to its canonical string address format +const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' + +// Or if the ethAddr above is for an emitter and you need the UniversalAddress +const emitterAddr = ethAddr.toUniversalAddress().toString(); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts new file mode 100644 index 000000000..a6b6589eb --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts @@ -0,0 +1,12 @@ +// Pass a partial WormholeConfig object to override specific +// fields in the default config +const wh = await wormhole('Testnet', [solana], { + chains: { + Solana: { + contracts: { + coreBridge: '11111111111111111111111111111', + }, + rpc: 'https://api.devnet.solana.com', + }, + }, +}); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts new file mode 100644 index 000000000..bc669670b --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts @@ -0,0 +1,19 @@ +import { wormhole } from "@wormhole-foundation/sdk"; +import solana from "@wormhole-foundation/sdk/solana"; +(async function () { + // EXAMPLE_CONFIG_OVERRIDE + // Pass a partial WormholeConfig object to override specific + // fields in the default config + const wh = await wormhole("Testnet", [solana], { + chains: { + Solana: { + contracts: { + coreBridge: "11111111111111111111111111111", + }, + rpc: "https://api.devnet.solana.com", + }, + }, + }); + // EXAMPLE_CONFIG_OVERRIDE + console.log(wh.config.chains.Solana); +})(); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts new file mode 100644 index 000000000..5303ea8ed --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts @@ -0,0 +1,42 @@ +const wh = await wormhole('Testnet', [solana]); + +const chain = wh.getChain('Solana'); +const { signer, address } = await getSigner(chain); + +// Get a reference to the core messaging bridge +const coreBridge = await chain.getWormholeCore(); + +// Generate transactions, sign and send them +const publishTxs = coreBridge.publishMessage( + // Address of sender (emitter in VAA) + address.address, + // Message to send (payload in VAA) + encoding.bytes.encode('lol'), + // Nonce (user defined, no requirement for a specific value, useful to provide a unique identifier for the message) + 0, + // ConsistencyLevel (ie finality of the message, see wormhole docs for more) + 0 +); +// Send the transaction(s) to publish the message +const txids = await signSendWait(chain, publishTxs, signer); + +// Take the last txid in case multiple were sent +// the last one should be the one containing the relevant +// event or log info +const txid = txids[txids.length - 1]; + +// Grab the wormhole message id from the transaction logs or storage +const [whm] = await chain.parseTransaction(txid!.txid); + +// Or pull the full message content as an Unsigned VAA +// const msgs = await coreBridge.parseMessages(txid!.txid); +// console.log(msgs); + +// Wait for the vaa to be signed and available with a timeout +const vaa = await wh.getVaa(whm!, 'Uint8Array', 60_000); +console.log(vaa); +// Also possible to search by txid but it takes longer to show up +// console.log(await wh.getVaaByTxHash(txid!.txid, "Uint8Array")); + +const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); +console.log(await signSendWait(chain, verifyTxs, signer)); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts new file mode 100644 index 000000000..01e6a470f --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts @@ -0,0 +1,55 @@ +import { encoding, signSendWait, wormhole } from "@wormhole-foundation/sdk"; +import { getSigner } from "./helpers/index.js"; +import solana from "@wormhole-foundation/sdk/solana"; +import evm from "@wormhole-foundation/sdk/evm"; + +(async function () { + // EXAMPLE_CORE_BRIDGE + const wh = await wormhole("Testnet", [solana, evm]); + + const chain = wh.getChain("Avalanche"); + const { signer, address } = await getSigner(chain); + + // Get a reference to the core messaging bridge + const coreBridge = await chain.getWormholeCore(); + + // Generate transactions, sign and send them + const publishTxs = coreBridge.publishMessage( + // Address of sender (emitter in VAA) + address.address, + // Message to send (payload in VAA) + encoding.bytes.encode("lol"), + // Nonce (user defined, no requirement for a specific value, useful to provide a unique identifier for the message) + 0, + // ConsistencyLevel (ie finality of the message, see wormhole docs for more) + 0, + ); + // Send the transaction(s) to publish the message + const txids = await signSendWait(chain, publishTxs, signer); + + // Take the last txid in case multiple were sent + // the last one should be the one containing the relevant + // event or log info + const txid = txids[txids.length - 1]; + + // Grab the wormhole message id from the transaction logs or storage + const [whm] = await chain.parseTransaction(txid!.txid); + + // Or pull the full message content as an Unsigned VAA + // console.log(await coreBridge.parseMessages(txid!.txid)); + + // Wait for the vaa to be signed and available with a timeout + const vaa = await wh.getVaa(whm!, "Uint8Array", 60_000); + console.log(vaa); + + // Also possible to search by txid but it takes longer to show up + // console.log(await wh.getVaaByTxHash(txid!.txid, "Uint8Array")); + + // Note: calling verifyMessage manually is typically not a useful thing to do + // as the VAA is typically submitted to the counterpart contract for + // a given protocol and the counterpart contract will verify the VAA + // this is simply for demo purposes + const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); + console.log(await signSendWait(chain, verifyTxs, signer)); + // EXAMPLE_CORE_BRIDGE +})(); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts new file mode 100644 index 000000000..3bab12bdf --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts @@ -0,0 +1,39 @@ +// Create a TokenTransfer object to track the state of the transfer over time +const xfer = await wh.tokenTransfer( + route.token, + route.amount, + route.source.address, + route.destination.address, + route.delivery?.automatic ?? false, + route.payload, + route.delivery?.nativeGas +); + +const quote = await TokenTransfer.quoteTransfer( + wh, + route.source.chain, + route.destination.chain, + xfer.transfer +); +console.log(quote); + +if (xfer.transfer.automatic && quote.destinationToken.amount < 0) + throw 'The amount requested is too low to cover the fee and any native gas requested.'; + +// 1) Submit the transactions to the source chain, passing a signer to sign any txns +console.log('Starting transfer'); +const srcTxids = await xfer.initiateTransfer(route.source.signer); +console.log(`Started transfer: `, srcTxids); + +// If automatic, we're done +if (route.delivery?.automatic) return xfer; + +// 2) Wait for the VAA to be signed and ready (not required for auto transfer) +console.log('Getting Attestation'); +const attestIds = await xfer.fetchAttestation(60_000); +console.log(`Got Attestation: `, attestIds); + +// 3) Redeem the VAA on the dest chain +console.log('Completing Transfer'); +const destTxids = await xfer.completeTransfer(route.destination.signer); +console.log(`Completed Transfer: `, destTxids); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts new file mode 100644 index 000000000..d65d6f6e6 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts @@ -0,0 +1,7 @@ +// Get the chain context for the source and destination chains +// This is useful to grab direct clients for the protocols +const srcChain = wh.getChain(senderAddress.chain); +const dstChain = wh.getChain(receiverAddress.chain); + +const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> +srcChain.getRpcClient(); // => RpcClient<'Evm'> \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts new file mode 100644 index 000000000..32c9183d4 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts @@ -0,0 +1,9 @@ +// Get the VAA from the wormhole message id +const vaa = await wh.getVaa( + // Wormhole Message ID + whm!, + // Protocol:Payload name to use for decoding the VAA payload + 'TokenBridge:Transfer', + // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available + 60_000 +); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts new file mode 100644 index 000000000..64b4b5e12 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts @@ -0,0 +1,92 @@ +// EXAMPLE_IMPORTS +import { wormhole } from "@wormhole-foundation/sdk"; +// EXAMPLE_IMPORTS + +import { Wormhole, amount, signSendWait } from "@wormhole-foundation/sdk"; +import algorand from "@wormhole-foundation/sdk/algorand"; +import aptos from "@wormhole-foundation/sdk/aptos"; +import cosmwasm from "@wormhole-foundation/sdk/cosmwasm"; +import evm from "@wormhole-foundation/sdk/evm"; +import solana from "@wormhole-foundation/sdk/solana"; +import sui from "@wormhole-foundation/sdk/sui"; +import { getSigner } from "./helpers/index.js"; + +(async function () { + // EXAMPLE_WORMHOLE_INIT + const wh = await wormhole("Testnet", [evm, solana, aptos, algorand, cosmwasm, sui]); + // EXAMPLE_WORMHOLE_INIT + + // EXAMPLE_WORMHOLE_CHAIN + // Grab a ChainContext object from our configured Wormhole instance + const ctx = wh.getChain("Solana"); + // EXAMPLE_WORMHOLE_CHAIN + + const rcv = wh.getChain("Algorand"); + + const sender = await getSigner(ctx); + const receiver = await getSigner(rcv); + + // Get a Token Bridge contract client on the source + const sndTb = await ctx.getTokenBridge(); + + // Send the native token of the source chain + const tokenId = Wormhole.tokenId(ctx.chain, "native"); + + // bigint amount using `amount` module + const amt = amount.units(amount.parse("0.1", ctx.config.nativeTokenDecimals)); + + // NOTE: If the recipient chain is Solana the ATA _must_ be the recipient address + // using a standard wallet account address will result in a failed transfer + // and loss of funds + + // Higher level objects like TokenTransfer are available and provide things like destination overrides + // in the case that the destination has some special rules the source chain must follow for + // successful redemption on the destination chain. + + // Some static helpers are available for more direct control + // const withOverrides = await TokenTransfer.destinationOverrides(ctx, rcv, { + // token: tokenId, + // amount: amt, + // from: sender.address, + // to: receiver.address, + // }); + // console.log(withOverrides); + + // Create a transaction stream for transfers + const transfer = sndTb.transfer(sender.address.address, receiver.address, tokenId.address, amt); + + // Sign and send the transaction + const txids = await signSendWait(ctx, transfer, sender.signer); + console.log("Sent: ", txids); + + // Get the wormhole message id from the transaction + const [whm] = await ctx.parseTransaction(txids[txids.length - 1]!.txid); + console.log("Wormhole Messages: ", whm); + + // EXAMPLE_WORMHOLE_VAA + // Get the VAA from the wormhole message id + const vaa = await wh.getVaa( + // Wormhole Message ID + whm!, + // Protocol:Payload name to use for decoding the VAA payload + "TokenBridge:Transfer", + // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available + 60_000, + ); + // EXAMPLE_WORMHOLE_VAA + + // Now get the token bridge on the redeem side + const rcvTb = await rcv.getTokenBridge(); + + // Create a transaction stream for redeeming + const redeem = rcvTb.redeem(receiver.address.address, vaa!); + + // Sign and send the transaction + const rcvTxids = await signSendWait(rcv, redeem, receiver.signer); + console.log("Sent: ", rcvTxids); + + // Now check if the transfer is completed according to + // the destination token bridge + const finished = await rcvTb.isTransferCompleted(vaa!); + console.log("Transfer completed: ", finished); +})(); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts new file mode 100644 index 000000000..b5fa19270 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts @@ -0,0 +1,33 @@ +// A Signer is an interface that must be provided to certain methods +// in the SDK to sign transactions. It can be either a SignOnlySigner +// or a SignAndSendSigner depending on circumstances. +// A Signer can be implemented by wrapping an existing offline wallet +// or a web wallet +export type Signer = SignOnlySigner | SignAndSendSigner; + +// A SignOnlySender is for situations where the signer is not +// connected to the network or does not wish to broadcast the +// transactions themselves +export interface SignOnlySigner { + chain(): ChainName; + address(): string; + // Accept an array of unsigned transactions and return + // an array of signed and serialized transactions. + // The transactions may be inspected or altered before + // signing. + // Note: The serialization is chain specific, if in doubt, + // see the example implementations linked below + sign(tx: UnsignedTransaction[]): Promise; +} + +// A SignAndSendSigner is for situations where the signer is +// connected to the network and wishes to broadcast the +// transactions themselves +export interface SignAndSendSigner { + chain(): ChainName; + address(): string; + // Accept an array of unsigned transactions and return + // an array of transaction ids in the same order as the + // UnsignedTransactions array. + signAndSend(tx: UnsignedTransaction[]): Promise; +} \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts new file mode 100644 index 000000000..1488b364a --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts @@ -0,0 +1,9 @@ +import { signSendWait } from '@wormhole-foundation/sdk'; + +// ... + +const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> + +const token = '0xdeadbeef...'; +const txGenerator = tb.createAttestation(token); // => AsyncGenerator +const txids = await signSendWait(srcChain, txGenerator, src.signer); // => TxHash[] \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts new file mode 100644 index 000000000..cc40c4619 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts @@ -0,0 +1,174 @@ +import { + Chain, + Network, + TokenId, + TokenTransfer, + Wormhole, + amount, + isTokenId, + wormhole, +} from "@wormhole-foundation/sdk"; + +// Import the platform-specific packages + +import evm from "@wormhole-foundation/sdk/evm"; +import solana from "@wormhole-foundation/sdk/solana"; +import { SignerStuff, getSigner, waitLog } from "./helpers/index.js"; + +(async function () { + // Init Wormhole object, passing config for which network + // to use (e.g. Mainnet/Testnet) and what Platforms to support + const wh = await wormhole("Testnet", [evm, solana]); + + // Grab chain Contexts -- these hold a reference to a cached rpc client + const sendChain = wh.getChain("Avalanche"); + const rcvChain = wh.getChain("Solana"); + + // Shortcut to allow transferring native gas token + const token = Wormhole.tokenId(sendChain.chain, "native"); + + // A TokenId is just a `{chain, address}` pair and an alias for ChainAddress + // The `address` field must be a parsed address. + // You can get a TokenId (or ChainAddress) prepared for you + // by calling the static `chainAddress` method on the Wormhole class. + // e.g. + // wAvax on Solana + // const token = Wormhole.tokenId("Solana", "3Ftc5hTz9sG4huk79onufGiebJNDMZNL8HYgdMJ9E7JR"); + // wSol on Avax + // const token = Wormhole.tokenId("Avalanche", "0xb10563644a6AB8948ee6d7f5b0a1fb15AaEa1E03"); + + // Normalized given token decimals later but can just pass bigints as base units + // Note: The Token bridge will dedust past 8 decimals + // this means any amount specified past that point will be returned + // to the caller + const amt = "0.05"; + + // With automatic set to true, perform an automatic transfer. This will invoke a relayer + // contract intermediary that knows to pick up the transfers + // With automatic set to false, perform a manual transfer from source to destination + // of the token + // On the destination side, a wrapped version of the token will be minted + // to the address specified in the transfer VAA + const automatic = false; + + // The automatic relayer has the ability to deliver some native gas funds to the destination account + // The amount specified for native gas will be swapped for the native gas token according + // to the swap rate provided by the contract, denominated in native gas tokens + const nativeGas = automatic ? "0.01" : undefined; + + // Get signer from local key but anything that implements + // Signer interface (e.g. wrapper around web wallet) should work + const source = await getSigner(sendChain); + const destination = await getSigner(rcvChain); + + // Used to normalize the amount to account for the tokens decimals + const decimals = isTokenId(token) + ? Number(await wh.getDecimals(token.chain, token.address)) + : sendChain.config.nativeTokenDecimals; + + // Set this to true if you want to perform a round trip transfer + const roundTrip: boolean = false; + + // Set this to the transfer txid of the initiating transaction to recover a token transfer + // and attempt to fetch details about its progress. + let recoverTxid = undefined; + // recoverTxid = "0xa4e0a2c1c994fe3298b5646dfd5ce92596dc1a589f42e241b7f07501a5a5a39f"; + + // Finally create and perform the transfer given the parameters set above + const xfer = !recoverTxid + ? // Perform the token transfer + await tokenTransfer( + wh, + { + token, + amount: amount.units(amount.parse(amt, decimals)), + source, + destination, + delivery: { + automatic, + nativeGas: nativeGas ? amount.units(amount.parse(nativeGas, decimals)) : undefined, + }, + }, + roundTrip, + ) + : // Recover the transfer from the originating txid + await TokenTransfer.from(wh, { + chain: source.chain.chain, + txid: recoverTxid, + }); + + const receipt = await waitLog(wh, xfer); + + // Log out the results + console.log(receipt); +})(); + +async function tokenTransfer( + wh: Wormhole, + route: { + token: TokenId; + amount: bigint; + source: SignerStuff; + destination: SignerStuff; + delivery?: { + automatic: boolean; + nativeGas?: bigint; + }; + payload?: Uint8Array; + }, + roundTrip?: boolean, +): Promise> { + // EXAMPLE_TOKEN_TRANSFER + // Create a TokenTransfer object to track the state of the transfer over time + const xfer = await wh.tokenTransfer( + route.token, + route.amount, + route.source.address, + route.destination.address, + route.delivery?.automatic ?? false, + route.payload, + route.delivery?.nativeGas, + ); + + const quote = await TokenTransfer.quoteTransfer( + wh, + route.source.chain, + route.destination.chain, + xfer.transfer, + ); + console.log(quote); + + if (xfer.transfer.automatic && quote.destinationToken.amount < 0) + throw "The amount requested is too low to cover the fee and any native gas requested."; + + // 1) Submit the transactions to the source chain, passing a signer to sign any txns + console.log("Starting transfer"); + const srcTxids = await xfer.initiateTransfer(route.source.signer); + console.log(`Started transfer: `, srcTxids); + + // If automatic, we're done + if (route.delivery?.automatic) return xfer; + + // 2) Wait for the VAA to be signed and ready (not required for auto transfer) + console.log("Getting Attestation"); + const attestIds = await xfer.fetchAttestation(60_000); + console.log(`Got Attestation: `, attestIds); + + // 3) Redeem the VAA on the dest chain + console.log("Completing Transfer"); + const destTxids = await xfer.completeTransfer(route.destination.signer); + console.log(`Completed Transfer: `, destTxids); + // EXAMPLE_TOKEN_TRANSFER + + // If no need to send back, dip + if (!roundTrip) return xfer; + + const { destinationToken: token } = quote; + return await tokenTransfer(wh, { + ...route, + token: token.token, + amount: token.amount, + source: route.destination, + destination: route.source, + }); +} \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts new file mode 100644 index 000000000..dc6d2d9ac --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts @@ -0,0 +1,10 @@ +// Returns a TokenId +const sourceToken: TokenId = Wormhole.tokenId('Ethereum', '0xbeef...'); + +// Whereas the ChainAddress is limited to valid addresses, a TokenId may +// have the string literal 'native' to consistently denote the native +// gas token of the chain +const gasToken: TokenId = Wormhole.tokenId('Ethereum', 'native'); + +// the same method can be used to convert the TokenId back to its canonical string address format +const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts new file mode 100644 index 000000000..8c516f5b2 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts @@ -0,0 +1,8 @@ +const wh = await wormhole('Testnet', [ + evm, + solana, + aptos, + algorand, + cosmwasm, + sui, +]); \ No newline at end of file diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index a5288423b..1a31c30e4 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -42,28 +42,25 @@ npm install @wormhole-foundation/sdk-evm-tokenbridge Getting started is simple; just import Wormhole and the [Platform](#platforms) modules you wish to support - ```ts import { wormhole } from '@wormhole-foundation/sdk'; ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L2) - + +??? code "View the complete script" + ```ts hl_lines="2" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' + ``` And pass those to the Wormhole constructor to make them available for use - ```ts -const wh = await wormhole('Testnet', [ - evm, - solana, - aptos, - algorand, - cosmwasm, - sui, -]); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L16) - + +??? code "View the complete script" + ```ts hl_lines="16" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' + ``` With a configured Wormhole object, we can do things like parse addresses for the platforms we passed, get a [ChainContext](#chain-context) object, or fetch VAAs. @@ -72,44 +69,33 @@ With a configured Wormhole object, we can do things like parse addresses for the // Grab a ChainContext object from our configured Wormhole instance const ctx = wh.getChain('Solana'); ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L20) - - +??? code "View the complete script" + ```ts hl_lines="21" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' + ``` + +You can retrieve a VAA as follows: + ```ts -// Get the VAA from the wormhole message id -const vaa = await wh.getVaa( - // Wormhole Message ID - whm!, - // Protocol:Payload name to use for decoding the VAA payload - 'TokenBridge:Transfer', - // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available - 60_000 -); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/index.ts#L49) - +??? code "View the complete script" + ```ts hl_lines="68-74" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' + ``` Optionally, the default configuration may be overridden if you want to support a different RPC endpoint. - ```ts -// Pass a partial WormholeConfig object to override specific -// fields in the default config -const wh = await wormhole('Testnet', [solana], { - chains: { - Solana: { - contracts: { - coreBridge: '11111111111111111111111111111', - }, - rpc: 'https://api.devnet.solana.com', - }, - }, -}); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/config-override.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/config.ts#L5) - + +??? code "View the complete script" + ```ts + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/config.ts' + ``` ## Concepts @@ -128,13 +114,7 @@ The `Wormhole` class provides a `getChain` method that returns a `ChainContext` The ChainContext object is also responsible for holding a cached rpc client and protocol clients. ```ts -// Get the chain context for the source and destination chains -// This is useful to grab direct clients for the protocols -const srcChain = wh.getChain(senderAddress.chain); -const dstChain = wh.getChain(receiverAddress.chain); - -const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> -srcChain.getRpcClient(); // => RpcClient<'Evm'> +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-chain.ts' ``` ### Addresses @@ -144,25 +124,7 @@ Within the Wormhole context, addresses are often [normalized](https://docs.wormh Each platform has an address type that understands the native address formats, unsurprisingly referred to as NativeAddress. This abstraction allows the SDK to work with addresses consistently regardless of the underlying chain. ```ts -// Its possible to convert a string address to its Native address -const ethAddr: NativeAddress<'Evm'> = toNative('Ethereum', '0xbeef...'); - -// A common type in the SDK is the `ChainAddress` which provides -// the additional context of the `Chain` this address is relevant for. -const senderAddress: ChainAddress = Wormhole.chainAddress( - 'Ethereum', - '0xbeef...' -); -const receiverAddress: ChainAddress = Wormhole.chainAddress( - 'Solana', - 'Sol1111...' -); - -// Convert the ChainAddress back to its canonical string address format -const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' - -// Or if the ethAddr above is for an emitter and you need the UniversalAddress -const emitterAddr = ethAddr.toUniversalAddress().toString(); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/addresses.ts' ``` ### Tokens @@ -170,16 +132,7 @@ const emitterAddr = ethAddr.toUniversalAddress().toString(); Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given Token. ```ts -// Returns a TokenId -const sourceToken: TokenId = Wormhole.tokenId('Ethereum', '0xbeef...'); - -// Whereas the ChainAddress is limited to valid addresses, a TokenId may -// have the string literal 'native' to consistently denote the native -// gas token of the chain -const gasToken: TokenId = Wormhole.tokenId('Ethereum', 'native'); - -// the same method can be used to convert the TokenId back to its canonical string address format -const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/tokens.ts' ``` ### Signers @@ -187,39 +140,7 @@ const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' An object that fulfils the `Signer` interface is required to sign transactions. This simple interface can be implemented by wrapping a web wallet or other signing mechanism. ```ts -// A Signer is an interface that must be provided to certain methods -// in the SDK to sign transactions. It can be either a SignOnlySigner -// or a SignAndSendSigner depending on circumstances. -// A Signer can be implemented by wrapping an existing offline wallet -// or a web wallet -export type Signer = SignOnlySigner | SignAndSendSigner; - -// A SignOnlySender is for situations where the signer is not -// connected to the network or does not wish to broadcast the -// transactions themselves -export interface SignOnlySigner { - chain(): ChainName; - address(): string; - // Accept an array of unsigned transactions and return - // an array of signed and serialized transactions. - // The transactions may be inspected or altered before - // signing. - // Note: The serialization is chain specific, if in doubt, - // see the example implementations linked below - sign(tx: UnsignedTransaction[]): Promise; -} - -// A SignAndSendSigner is for situations where the signer is -// connected to the network and wishes to broadcast the -// transactions themselves -export interface SignAndSendSigner { - chain(): ChainName; - address(): string; - // Accept an array of unsigned transactions and return - // an array of transaction ids in the same order as the - // UnsignedTransactions array. - signAndSend(tx: UnsignedTransaction[]): Promise; -} +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/signers.ts' ``` See the testing signers ([Evm](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts), [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts), ...) for an example of how to implement a signer for a specific chain or platform. @@ -234,53 +155,14 @@ If available, each protocol will have a platform-specific implementation. These The core protocol underlies all Wormhole activity. This protocol is responsible for emitting the message containing the information necessary to perform bridging, including the [Emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter), the [Sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence) for the message, and the Payload of the message itself. - ```ts - const wh = await wormhole('Testnet', [solana]); - -const chain = wh.getChain('Solana'); -const { signer, address } = await getSigner(chain); - -// Get a reference to the core messaging bridge -const coreBridge = await chain.getWormholeCore(); - -// Generate transactions, sign and send them -const publishTxs = coreBridge.publishMessage( - // Address of sender (emitter in VAA) - address.address, - // Message to send (payload in VAA) - encoding.bytes.encode('lol'), - // Nonce (user defined, no requirement for a specific value, useful to provide a unique identifier for the message) - 0, - // ConsistencyLevel (ie finality of the message, see wormhole docs for more) - 0 -); -// Send the transaction(s) to publish the message -const txids = await signSendWait(chain, publishTxs, signer); - -// Take the last txid in case multiple were sent -// the last one should be the one containing the relevant -// event or log info -const txid = txids[txids.length - 1]; - -// Grab the wormhole message id from the transaction logs or storage -const [whm] = await chain.parseTransaction(txid!.txid); - -// Or pull the full message content as an Unsigned VAA -// const msgs = await coreBridge.parseMessages(txid!.txid); -// console.log(msgs); - -// Wait for the vaa to be signed and available with a timeout -const vaa = await wh.getVaa(whm!, 'Uint8Array', 60_000); -console.log(vaa); -// Also possible to search by txid but it takes longer to show up -// console.log(await wh.getVaaByTxHash(txid!.txid, "Uint8Array")); - -const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); -console.log(await signSendWait(chain, verifyTxs, signer)); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/messaging.ts#L7) - + +??? code "View the complete script" + ```ts + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts' + ``` The information necessary to perform whatever action is required based on the Protocol that uses it is within the payload. @@ -293,20 +175,11 @@ Every chain has a `TokenBridge` protocol client that provides a consistent inter `WormholeTransfer` abstractions are the recommended way to interact with these protocols but it is possible to use them directly. ```ts -import { signSendWait } from '@wormhole-foundation/sdk'; - -// ... - -const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> - -const token = '0xdeadbeef...'; -const txGenerator = tb.createAttestation(token); // => AsyncGenerator -const txids = await signSendWait(srcChain, txGenerator, src.signer); // => TxHash[] +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts' ``` Supported protocols are defined in the [definitions module](https://github.com/wormhole-foundation/connect-sdk/tree/main/core/definitions/src/protocols). - ## Transfers While using the [ChainContext](#chain-context) and [Protocol](#protocols) clients directly is possible, to do things like transfer tokens, the SDK provides some helpful abstractions. @@ -319,50 +192,17 @@ Performing a Token Transfer is trivial for any source and destination chains. We can create a new `Wormhole` object to make `TokenTransfer,` `CircleTransfer,` `GatewayTransfer,` etc., objects to transfer tokens between chains. The transfer object is responsible for tracking the transfer through the process and providing updates on its status. - ```ts -// Create a TokenTransfer object to track the state of the transfer over time -const xfer = await wh.tokenTransfer( - route.token, - route.amount, - route.source.address, - route.destination.address, - route.delivery?.automatic ?? false, - route.payload, - route.delivery?.nativeGas -); - -const quote = await TokenTransfer.quoteTransfer( - wh, - route.source.chain, - route.destination.chain, - xfer.transfer -); -console.log(quote); - -if (xfer.transfer.automatic && quote.destinationToken.amount < 0) - throw 'The amount requested is too low to cover the fee and any native gas requested.'; - -// 1) Submit the transactions to the source chain, passing a signer to sign any txns -console.log('Starting transfer'); -const srcTxids = await xfer.initiateTransfer(route.source.signer); -console.log(`Started transfer: `, srcTxids); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts' +``` -// If automatic, we're done -if (route.delivery?.automatic) return xfer; +See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/tokenBridge.ts#L122) -// 2) Wait for the VAA to be signed and ready (not required for auto transfer) -console.log('Getting Attestation'); -const attestIds = await xfer.fetchAttestation(60_000); -console.log(`Got Attestation: `, attestIds); -// 3) Redeem the VAA on the dest chain -console.log('Completing Transfer'); -const destTxids = await xfer.completeTransfer(route.destination.signer); -console.log(`Completed Transfer: `, destTxids); -``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/tokenBridge.ts#L122) - +??? code "View the complete script" + ```ts hl_lines="122" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts' + ``` Internally, this uses the [TokenBridge](#token-bridge) protocol client to transfer tokens. Like other Protocols, the `TokenBridge` protocol provides a consistent set of methods across all chains to generate a set of transactions for that specific chain. From 0697e78c6f98c481909f48b8b8dab1303f40678f Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 2 Aug 2024 15:02:53 -0700 Subject: [PATCH 05/73] additions --- .../wormhole-sdk/cctp-example-snippet.ts | 45 +++ .../wormhole-sdk/cctp.ts | 140 ++++++++ .../wormhole-sdk/cosmos.ts | 209 ++++++++++++ .../wormhole-sdk/example-request-create.ts | 15 + .../wormhole-sdk/example-request-initiate.ts | 4 + .../wormhole-sdk/example-request-validate.ts | 21 ++ .../example-resolver-list-tokens.ts | 23 ++ .../wormhole-sdk/gateway-inbound-example.ts | 21 ++ .../gateway-intercosmos-example.ts | 21 ++ .../wormhole-sdk/gateway-outbound-example.ts | 24 ++ .../wormhole-sdk/recover-transfer-example.ts | 8 + .../wormhole-sdk/resolver-create-example.ts | 8 + .../wormhole-sdk/router.ts | 107 +++++++ .../wormhole-sdk.md | 298 ++++-------------- 14 files changed, 714 insertions(+), 230 deletions(-) create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-outbound-example.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts new file mode 100644 index 000000000..8917db431 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts @@ -0,0 +1,45 @@ + const xfer = await wh.circleTransfer( + // amount as bigint (base units) + req.amount, + // sender chain/address + src.address, + // receiver chain/address + dst.address, + // automatic delivery boolean + req.automatic, + // payload to be sent with the transfer + undefined, + // If automatic, native gas can be requested to be sent to the receiver + req.nativeGas +); + +// Note, if the transfer is requested to be Automatic, a fee for performing the relay +// will be present in the quote. The fee comes out of the amount requested to be sent. +// If the user wants to receive 1.0 on the destination, the amount to send should be 1.0 + fee. +// The same applies for native gas dropoff +const quote = await CircleTransfer.quoteTransfer( + src.chain, + dst.chain, + xfer.transfer +); +console.log('Quote', quote); + +console.log('Starting Transfer'); +const srcTxids = await xfer.initiateTransfer(src.signer); +console.log(`Started Transfer: `, srcTxids); + +if (req.automatic) { + const relayStatus = await waitForRelay(srcTxids[srcTxids.length - 1]!); + console.log(`Finished relay: `, relayStatus); + return; +} + +// Note: Depending on chain finality, this timeout may need to be increased. +// See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more +console.log('Waiting for Attestation'); +const attestIds = await xfer.fetchAttestation(60_000); +console.log(`Got Attestation: `, attestIds); + +console.log('Completing Transfer'); +const dstTxids = await xfer.completeTransfer(dst.signer); +console.log(`Completed Transfer: `, dstTxids); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts new file mode 100644 index 000000000..cd384467f --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts @@ -0,0 +1,140 @@ +import { + Chain, + CircleTransfer, + Network, + Signer, + TransactionId, + TransferState, + Wormhole, + amount, + wormhole, +} from "@wormhole-foundation/sdk"; +import evm from "@wormhole-foundation/sdk/evm"; +import solana from "@wormhole-foundation/sdk/solana"; +import { SignerStuff, getSigner, waitForRelay } from "./helpers/index.js"; + +/* +Notes: +Only a subset of chains are supported by Circle for CCTP, see core/base/src/constants/circle.ts for currently supported chains + +AutoRelayer takes a 0.1usdc fee when xfering to any chain beside goerli, which is 1 usdc +*/ +// + +(async function () { + // init Wormhole object, passing config for which network + // to use (e.g. Mainnet/Testnet) and what Platforms to support + const wh = await wormhole("Testnet", [evm, solana]); + + // Grab chain Contexts + const sendChain = wh.getChain("Avalanche"); + const rcvChain = wh.getChain("Solana"); + + // Get signer from local key but anything that implements + // Signer interface (e.g. wrapper around web wallet) should work + const source = await getSigner(sendChain); + const destination = await getSigner(rcvChain); + + // 6 decimals for USDC (except for bsc, so check decimals before using this) + const amt = amount.units(amount.parse("0.2", 6)); + + // Choose whether or not to have the attestation delivered for you + const automatic = false; + + // If the transfer is requested to be automatic, you can also request that + // during redemption, the receiver gets some amount of native gas transferred to them + // so that they may pay for subsequent transactions + // The amount specified here is denominated in the token being transferred (USDC here) + const nativeGas = automatic ? amount.units(amount.parse("0.0", 6)) : 0n; + + await cctpTransfer(wh, source, destination, { + amount: amt, + automatic, + nativeGas, + }); + + // Note: you can pick up a partial transfer from the origin chain name and txid + // once created, you can call `fetchAttestations` and `completeTransfer` assuming its a manual transfer. + // This is especially helpful for chains with longer time to finality where you don't want + // to have to wait for the attestation to be generated. + // await completeTransfer( + // wh, + // { + // chain: sendChain.chain, + // txid: "0x6b431a9172f6c672976294b3a3d6cd79f46a7d6247440c0934af4bfc2b5ad957", + // }, + // destination.signer, + // ); +})(); + +async function cctpTransfer( + wh: Wormhole, + src: SignerStuff, + dst: SignerStuff, + req: { + amount: bigint; + automatic: boolean; + nativeGas?: bigint; + }, +) { + // EXAMPLE_CCTP_TRANSFER + const xfer = await wh.circleTransfer( + // amount as bigint (base units) + req.amount, + // sender chain/address + src.address, + // receiver chain/address + dst.address, + // automatic delivery boolean + req.automatic, + // payload to be sent with the transfer + undefined, + // If automatic, native gas can be requested to be sent to the receiver + req.nativeGas, + ); + + // Note, if the transfer is requested to be Automatic, a fee for performing the relay + // will be present in the quote. The fee comes out of the amount requested to be sent. + // If the user wants to receive 1.0 on the destination, the amount to send should be 1.0 + fee. + // The same applies for native gas dropoff + const quote = await CircleTransfer.quoteTransfer(src.chain, dst.chain, xfer.transfer); + console.log("Quote", quote); + + console.log("Starting Transfer"); + const srcTxids = await xfer.initiateTransfer(src.signer); + console.log(`Started Transfer: `, srcTxids); + + if (req.automatic) { + const relayStatus = await waitForRelay(srcTxids[srcTxids.length - 1]!); + console.log(`Finished relay: `, relayStatus); + return; + } + + // Note: Depending on chain finality, this timeout may need to be increased. + // See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more + console.log("Waiting for Attestation"); + const attestIds = await xfer.fetchAttestation(60_000); + console.log(`Got Attestation: `, attestIds); + + console.log("Completing Transfer"); + const dstTxids = await xfer.completeTransfer(dst.signer); + console.log(`Completed Transfer: `, dstTxids); + // EXAMPLE_CCTP_TRANSFER +} + +export async function completeTransfer( + wh: Wormhole, + txid: TransactionId, + signer: Signer, +): Promise { + // EXAMPLE_RECOVER_TRANSFER + // Rebuild the transfer from the source txid + const xfer = await CircleTransfer.from(wh, txid); + + const attestIds = await xfer.fetchAttestation(60 * 60 * 1000); + console.log("Got attestation: ", attestIds); + + const dstTxIds = await xfer.completeTransfer(signer); + console.log("Completed transfer: ", dstTxIds); + // EXAMPLE_RECOVER_TRANSFER +} \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts new file mode 100644 index 000000000..8c4be551e --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts @@ -0,0 +1,209 @@ +import { + Chain, + GatewayTransfer, + GatewayTransferDetails, + Network, + TokenId, + Wormhole, + amount, + wormhole, +} from "@wormhole-foundation/sdk"; + +// Import the platform specific packages + +import cosmwasm from "@wormhole-foundation/sdk/cosmwasm"; +import evm from "@wormhole-foundation/sdk/evm"; +import solana from "@wormhole-foundation/sdk/solana"; +import { SignerStuff, getSigner } from "./helpers/index.js"; + +// We're going to transfer into, around, and out of the Cosmos ecosystem +// First on Avalanche, transparently through gateway and over IBC to Cosmoshub +// Then over IBC, transparently through gateway and over IBC to Osmosis +// Finally out of Osmosis, transparently through gateway, out to Avalanche + +// eg: +// Avalanche[avax] => {Gateway ->}Osmosis[gateway/wrapped avax] +// Osmosis[gateway/wrapped avax] -> {Gateway ->} Cosmoshub[gateway/wrapped avax] +// Cosmoshub[gateway/wrapped avax] -> {Gateway} => Avalanch[avax] + +// Key: +// => : Regular contract call +// -> : IBC Transfer +// {*}: Transparently handled by Gateway + +(async function () { + // init Wormhole object, passing config for which network + // to use (e.g. Mainnet/Testnet) and what Platforms to support + const wh = await wormhole("Mainnet", [evm, solana, cosmwasm]); + // Pick up where you left off by updating the txids as you go + let fakeIt = false; + + // Grab chain Contexts for each leg of our journey + const external = wh.getChain("Solana"); + const cosmos1 = wh.getChain("Dymension"); + const cosmos2 = wh.getChain("Injective"); + + // Get signer from local key but anything that implements + // Signer interface (e.g. wrapper around web wallet) should work + const leg1 = await getSigner(external); + const leg2 = await getSigner(cosmos1); + const leg3 = await getSigner(cosmos2); + + // we'll use the native token on the source chain + const token: TokenId = Wormhole.tokenId(external.chain, "native"); + const amt = amount.units(amount.parse("0.001", external.config.nativeTokenDecimals)); + + // Transfer native token from source chain, through gateway, to a cosmos chain + let route1 = fakeIt + ? await GatewayTransfer.from( + wh, + { + chain: external.chain, + txid: "5y2BnJ1Nwqe4m6KTSrry5Ni88xqVrqo4jdbuNwAPDuXEonQRVLbALf7abViwucKKr8U8cDfJtDmqnuRAAC6i6wtb", + }, + 600_000, + ) + : await transferIntoCosmos(wh, token, amt, leg1, leg2); + console.log("Route 1 (External => Cosmos)", route1); + + // Lookup the Gateway representation of the wrappd token + const { denom } = route1.ibcTransfers![0]!.data; + const cosmosTokenAddress = Wormhole.parseAddress("Wormchain", denom); + + // Transfer Gateway factory tokens over IBC through gateway to another Cosmos chain + let route2 = fakeIt + ? await GatewayTransfer.from( + wh, + { + chain: cosmos1.chain, + txid: "3014CABA727C8A1BFCBD282095C771ACBAB3B13CC595B702ABFD3A4502315FBD", + }, + 600_000, + ) + : await transferBetweenCosmos( + wh, + { chain: cosmos1.chain, address: cosmosTokenAddress }, + 1000n, + leg2, + leg3, + ); + console.log("Route 2 (Cosmos -> Cosmos): ", route2); + + // Transfer Gateway factory token through gateway back to source chain + let route3 = fakeIt + ? await GatewayTransfer.from( + wh, + { + chain: cosmos2.chain, + txid: "BEDD0CE2FEA8FF5DF81FCA5142E72745E154F87D496CDA147FC4D5D46A7C7D81", + }, + 600_000, + ) + : await transferOutOfCosmos( + wh, + { chain: cosmos2.chain, address: cosmosTokenAddress }, + 1000n, + leg3, + leg1, + ); + console.log("Route 3 (Cosmos => External): ", route3); +})(); + +async function transferIntoCosmos( + wh: Wormhole, + token: TokenId, + amount: bigint, + src: SignerStuff, + dst: SignerStuff, +): Promise> { + // EXAMPLE_GATEWAY_INBOUND + console.log( + `Beginning transfer into Cosmos from ${src.chain.chain}:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}`, + ); + + const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, + } as GatewayTransferDetails); + console.log("Created GatewayTransfer: ", xfer.transfer); + + const srcTxIds = await xfer.initiateTransfer(src.signer); + console.log("Started transfer on source chain", srcTxIds); + + const attests = await xfer.fetchAttestation(600_000); + console.log("Got Attestations", attests); + // EXAMPLE_GATEWAY_INBOUND + + return xfer; +} + +async function transferBetweenCosmos( + wh: Wormhole, + token: TokenId, + amount: bigint, + src: SignerStuff, + dst: SignerStuff, +): Promise> { + // EXAMPLE_GATEWAY_INTERCOSMOS + console.log( + `Beginning transfer within cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${dst.chain.chain}:${dst.address.address.toString()}`, + ); + + const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, + } as GatewayTransferDetails); + console.log("Created GatewayTransfer: ", xfer.transfer); + + const srcTxIds = await xfer.initiateTransfer(src.signer); + console.log("Started transfer on source chain", srcTxIds); + + const attests = await xfer.fetchAttestation(60_000); + console.log("Got attests: ", attests); + // EXAMPLE_GATEWAY_INTERCOSMOS + + return xfer; +} + +async function transferOutOfCosmos( + wh: Wormhole, + token: TokenId, + amount: bigint, + src: SignerStuff, + dst: SignerStuff, +): Promise> { + // EXAMPLE_GATEWAY_OUTBOUND + console.log( + `Beginning transfer out of cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${dst.chain.chain}:${dst.address.address.toString()}`, + ); + + const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, + } as GatewayTransferDetails); + console.log("Created GatewayTransfer: ", xfer.transfer); + const srcTxIds = await xfer.initiateTransfer(src.signer); + console.log("Started transfer on source chain", srcTxIds); + + const attests = await xfer.fetchAttestation(600_000); + console.log("Got attests", attests); + + // Since we're leaving cosmos, this is required to complete the transfer + const dstTxIds = await xfer.completeTransfer(dst.signer); + console.log("Completed transfer on destination chain", dstTxIds); + // EXAMPLE_GATEWAY_OUTBOUND + + return xfer; +} \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts new file mode 100644 index 000000000..c4f87bb03 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts @@ -0,0 +1,15 @@ +// creating a transfer request fetches token details +// since all routes will need to know about the tokens +const tr = await routes.RouteTransferRequest.create(wh, { + from: sender.address, + to: receiver.address, + source: sendToken, + destination: destinationToken, +}); + +// resolve the transfer request to a set of routes that can perform it +const foundRoutes = await resolver.findRoutes(tr); +console.log( + 'For the transfer parameters, we found these routes: ', + foundRoutes +); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts new file mode 100644 index 000000000..856b98b52 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts @@ -0,0 +1,4 @@ +// Now the transfer may be initiated +// A receipt will be returned, guess what you gotta do with that? +const receipt = await bestRoute.initiate(sender.signer, quote); +console.log('Initiated transfer with receipt: ', receipt); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts new file mode 100644 index 000000000..d3f8bd956 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts @@ -0,0 +1,21 @@ +console.log( + 'This route offers the following default options', + bestRoute.getDefaultOptions() +); +// Specify the amount as a decimal string +const amt = '0.001'; +// Create the transfer params for this request +const transferParams = { amount: amt, options: { nativeGas: 0 } }; + +// validate the transfer params passed, this returns a new type of ValidatedTransferParams +// which (believe it or not) is a validated version of the input params +// this new var must be passed to the next step, quote +const validated = await bestRoute.validate(transferParams); +if (!validated.valid) throw validated.error; +console.log('Validated parameters: ', validated.params); + +// get a quote for the transfer, this too returns a new type that must +// be passed to the next step, execute (if you like the quote) +const quote = await bestRoute.quote(validated.params); +if (!quote.success) throw quote.error; +console.log('Best route quote: ', quote); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts new file mode 100644 index 000000000..a963eb14f --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts @@ -0,0 +1,23 @@ +// what tokens are available on the source chain? +const srcTokens = await resolver.supportedSourceTokens(sendChain); +console.log( + 'Allowed source tokens: ', + srcTokens.map((t) => canonicalAddress(t)) +); + +// Grab the first one for the example +// const sendToken = srcTokens[0]!; +const sendToken = Wormhole.tokenId(sendChain.chain, 'native'); + +// given the send token, what can we possibly get on the destination chain? +const destTokens = await resolver.supportedDestinationTokens( + sendToken, + sendChain, + destChain +); +console.log( + 'For the given source token and routes configured, the following tokens may be receivable: ', + destTokens.map((t) => canonicalAddress(t)) +); +//grab the first one for the example +const destinationToken = destTokens[0]!; \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts new file mode 100644 index 000000000..e6923880e --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts @@ -0,0 +1,21 @@ +console.log( + `Beginning transfer into Cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}` +); + +const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, +} as GatewayTransferDetails); +console.log('Created GatewayTransfer: ', xfer.transfer); + +const srcTxIds = await xfer.initiateTransfer(src.signer); +console.log('Started transfer on source chain', srcTxIds); + +const attests = await xfer.fetchAttestation(600_000); +console.log('Got Attestations', attests); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts new file mode 100644 index 000000000..cc7e02f91 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts @@ -0,0 +1,21 @@ +console.log( + `Beginning transfer within cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}` +); + +const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, +} as GatewayTransferDetails); +console.log('Created GatewayTransfer: ', xfer.transfer); + +const srcTxIds = await xfer.initiateTransfer(src.signer); +console.log('Started transfer on source chain', srcTxIds); + +const attests = await xfer.fetchAttestation(60_000); +console.log('Got attests: ', attests); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-outbound-example.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-outbound-example.ts new file mode 100644 index 000000000..f1e2e3c2e --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-outbound-example.ts @@ -0,0 +1,24 @@ +console.log( + `Beginning transfer out of cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}` +); + +const xfer = await GatewayTransfer.from(wh, { + token: token, + amount: amount, + from: src.address, + to: dst.address, +} as GatewayTransferDetails); +console.log('Created GatewayTransfer: ', xfer.transfer); +const srcTxIds = await xfer.initiateTransfer(src.signer); +console.log('Started transfer on source chain', srcTxIds); + +const attests = await xfer.fetchAttestation(600_000); +console.log('Got attests', attests); + +// Since we're leaving cosmos, this is required to complete the transfer +const dstTxIds = await xfer.completeTransfer(dst.signer); +console.log('Completed transfer on destination chain', dstTxIds); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts new file mode 100644 index 000000000..0064b2370 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts @@ -0,0 +1,8 @@ +// Rebuild the transfer from the source txid +const xfer = await CircleTransfer.from(wh, txid); + +const attestIds = await xfer.fetchAttestation(60 * 60 * 1000); +console.log('Got attestation: ', attestIds); + +const dstTxIds = await xfer.completeTransfer(signer); +console.log('Completed transfer: ', dstTxIds); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts new file mode 100644 index 000000000..f17d4d12c --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts @@ -0,0 +1,8 @@ +// create new resolver, passing the set of routes to consider +const resolver = wh.resolver([ + routes.TokenBridgeRoute, // manual token bridge + routes.AutomaticTokenBridgeRoute, // automatic token bridge + routes.CCTPRoute, // manual CCTP + routes.AutomaticCCTPRoute, // automatic CCTP + routes.AutomaticPorticoRoute, // Native eth transfers +]); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts new file mode 100644 index 000000000..b7c4a6203 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts @@ -0,0 +1,107 @@ +import { Wormhole, canonicalAddress, routes, wormhole } from "@wormhole-foundation/sdk"; + +import evm from "@wormhole-foundation/sdk/evm"; +import solana from "@wormhole-foundation/sdk/solana"; +import { getSigner } from "./helpers/index.js"; + +(async function () { + // Setup + const wh = await wormhole("Testnet", [evm, solana]); + + // Get chain contexts + const sendChain = wh.getChain("Avalanche"); + const destChain = wh.getChain("Solana"); + + // get signers from local config + const sender = await getSigner(sendChain); + const receiver = await getSigner(destChain); + + // EXAMPLE_RESOLVER_CREATE + // create new resolver, passing the set of routes to consider + const resolver = wh.resolver([ + routes.TokenBridgeRoute, // manual token bridge + routes.AutomaticTokenBridgeRoute, // automatic token bridge + routes.CCTPRoute, // manual CCTP + routes.AutomaticCCTPRoute, // automatic CCTP + routes.AutomaticPorticoRoute, // Native eth transfers + ]); + // EXAMPLE_RESOLVER_CREATE + + // EXAMPLE_RESOLVER_LIST_TOKENS + // what tokens are available on the source chain? + const srcTokens = await resolver.supportedSourceTokens(sendChain); + console.log( + "Allowed source tokens: ", + srcTokens.map((t) => canonicalAddress(t)), + ); + + // Grab the first one for the example + // const sendToken = srcTokens[0]!; + const sendToken = Wormhole.tokenId(sendChain.chain, "native"); + + // given the send token, what can we possibly get on the destination chain? + const destTokens = await resolver.supportedDestinationTokens(sendToken, sendChain, destChain); + console.log( + "For the given source token and routes configured, the following tokens may be receivable: ", + destTokens.map((t) => canonicalAddress(t)), + ); + //grab the first one for the example + const destinationToken = destTokens[0]!; + // EXAMPLE_RESOLVER_LIST_TOKENS + + // EXAMPLE_REQUEST_CREATE + // creating a transfer request fetches token details + // since all routes will need to know about the tokens + const tr = await routes.RouteTransferRequest.create(wh, { + source: sendToken, + destination: destinationToken, + }); + + // resolve the transfer request to a set of routes that can perform it + const foundRoutes = await resolver.findRoutes(tr); + console.log("For the transfer parameters, we found these routes: ", foundRoutes); + // EXAMPLE_REQUEST_CREATE + + // Sort the routes given some input (not required for mvp) + // const bestRoute = (await resolver.sortRoutes(foundRoutes, "cost"))[0]!; + const bestRoute = foundRoutes[0]!; + console.log("Selected: ", bestRoute); + + // EXAMPLE_REQUEST_VALIDATE + console.log("This route offers the following default options", bestRoute.getDefaultOptions()); + // Specify the amount as a decimal string + const amt = "0.001"; + // Create the transfer params for this request + const transferParams = { amount: amt, options: { nativeGas: 0 } }; + + // validate the transfer params passed, this returns a new type of ValidatedTransferParams + // which (believe it or not) is a validated version of the input params + // this new var must be passed to the next step, quote + const validated = await bestRoute.validate(tr, transferParams); + if (!validated.valid) throw validated.error; + console.log("Validated parameters: ", validated.params); + + // get a quote for the transfer, this too returns a new type that must + // be passed to the next step, execute (if you like the quote) + const quote = await bestRoute.quote(tr, validated.params); + if (!quote.success) throw quote.error; + console.log("Best route quote: ", quote); + // EXAMPLE_REQUEST_VALIDATE + + // If you're sure you want to do this, set this to true + const imSure = false; + if (imSure) { + // EXAMPLE_REQUEST_INITIATE + // Now the transfer may be initiated + // A receipt will be returned, guess what you gotta do with that? + const receipt = await bestRoute.initiate(tr, sender.signer, quote, receiver.address); + console.log("Initiated transfer with receipt: ", receipt); + // EXAMPLE_REQUEST_INITIATE + + // Kick off a wait log, if there is an opportunity to complete, this function will do it + // see the implementation for how this works + await routes.checkAndCompleteTransfer(bestRoute, receipt, receiver.signer); + } else { + console.log("Not initiating transfer (set `imSure` to true to do so)"); + } +})(); \ No newline at end of file diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 1a31c30e4..0034fedaa 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -196,182 +196,77 @@ We can create a new `Wormhole` object to make `TokenTransfer,` `CircleTransfer,` --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/tokenBridge.ts#L122) - - ??? code "View the complete script" ```ts hl_lines="122" --8<-- 'code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts' ``` - Internally, this uses the [TokenBridge](#token-bridge) protocol client to transfer tokens. Like other Protocols, the `TokenBridge` protocol provides a consistent set of methods across all chains to generate a set of transactions for that specific chain. ### Native USDC Transfers We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en/cross-chain-transfer-protocol) - ```ts - const xfer = await wh.circleTransfer( - // amount as bigint (base units) - req.amount, - // sender chain/address - src.address, - // receiver chain/address - dst.address, - // automatic delivery boolean - req.automatic, - // payload to be sent with the transfer - undefined, - // If automatic, native gas can be requested to be sent to the receiver - req.nativeGas -); - -// Note, if the transfer is requested to be Automatic, a fee for performing the relay -// will be present in the quote. The fee comes out of the amount requested to be sent. -// If the user wants to receive 1.0 on the destination, the amount to send should be 1.0 + fee. -// The same applies for native gas dropoff -const quote = await CircleTransfer.quoteTransfer( - src.chain, - dst.chain, - xfer.transfer -); -console.log('Quote', quote); - -console.log('Starting Transfer'); -const srcTxids = await xfer.initiateTransfer(src.signer); -console.log(`Started Transfer: `, srcTxids); - -if (req.automatic) { - const relayStatus = await waitForRelay(srcTxids[srcTxids.length - 1]!); - console.log(`Finished relay: `, relayStatus); - return; -} - -// Note: Depending on chain finality, this timeout may need to be increased. -// See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more -console.log('Waiting for Attestation'); -const attestIds = await xfer.fetchAttestation(60_000); -console.log(`Got Attestation: `, attestIds); - -console.log('Completing Transfer'); -const dstTxids = await xfer.completeTransfer(dst.signer); -console.log(`Completed Transfer: `, dstTxids); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cctp.ts#L80) - + +??? code "View the complete script" + ```ts hl_lines="122" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp.ts' + ``` ### Gateway Transfers Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. A transfer into Cosmos from outside cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain) - + ```ts -console.log( - `Beginning transfer into Cosmos from ${ - src.chain.chain - }:${src.address.address.toString()} to ${ - dst.chain.chain - }:${dst.address.address.toString()}` -); - -const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, -} as GatewayTransferDetails); -console.log('Created GatewayTransfer: ', xfer.transfer); - -const srcTxIds = await xfer.initiateTransfer(src.signer); -console.log('Started transfer on source chain', srcTxIds); - -const attests = await xfer.fetchAttestation(600_000); -console.log('Got Attestations', attests); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L120) - + +??? code "View the complete script" + ```ts hl_lines="120" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cosmos.ts' + ``` A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain - + ```ts -console.log( - `Beginning transfer within cosmos from ${ - src.chain.chain - }:${src.address.address.toString()} to ${ - dst.chain.chain - }:${dst.address.address.toString()}` -); - -const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, -} as GatewayTransferDetails); -console.log('Created GatewayTransfer: ', xfer.transfer); - -const srcTxIds = await xfer.initiateTransfer(src.signer); -console.log('Started transfer on source chain', srcTxIds); - -const attests = await xfer.fetchAttestation(60_000); -console.log('Got attests: ', attests); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L152) - -A transfer leaving Cosmos will produce a VAA from the Gateway that must be manually redeemed on the destination chain - +??? code "View the complete script" + ```ts hl_lines="152" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cosmos.ts' + ``` + +A transfer leaving Cosmos will produce a VAA from the Gateway that must be manually redeemed on the destination chain. + ```ts -console.log( - `Beginning transfer out of cosmos from ${ - src.chain.chain - }:${src.address.address.toString()} to ${ - dst.chain.chain - }:${dst.address.address.toString()}` -); - -const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, -} as GatewayTransferDetails); -console.log('Created GatewayTransfer: ', xfer.transfer); -const srcTxIds = await xfer.initiateTransfer(src.signer); -console.log('Started transfer on source chain', srcTxIds); - -const attests = await xfer.fetchAttestation(600_000); -console.log('Got attests', attests); - -// Since we're leaving cosmos, this is required to complete the transfer -const dstTxIds = await xfer.completeTransfer(dst.signer); -console.log('Completed transfer on destination chain', dstTxIds); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-outbound-example.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cosmos.ts#L184) - + +??? code "View the complete script" + ```ts hl_lines="184" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cosmos.ts' + ``` ### Recovering Transfers It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the Transfer class with the `from` static method and pass one of several types of identifiers. -A `TransactionId` or `WormholeMessageId` may be used to recover the transfer +A `TransactionId` or `WormholeMessageId` may be used to recover the transfer. - ```ts - // Rebuild the transfer from the source txid - const xfer = await CircleTransfer.from(wh, txid); - - const attestIds = await xfer.fetchAttestation(60 * 60 * 1000); - console.log("Got attestation: ", attestIds); - - const dstTxIds = await xfer.completeTransfer(signer); - console.log("Completed transfer: ", dstTxIds); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/cctp.ts#L130) - + +??? code "View the complete script" + ```ts hl_lines="130" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp.ts' + ``` ## Routes @@ -379,120 +274,63 @@ While a specific `WormholeTransfer` may be used (TokenTransfer, CCTPTransfer, et To provide a more flexible and generic interface, the `Wormhole` class provides a method to produce a `RouteResolver` that can be configured with a set of possible routes to be supported. - ```ts -// create new resolver, passing the set of routes to consider -const resolver = wh.resolver([ - routes.TokenBridgeRoute, // manual token bridge - routes.AutomaticTokenBridgeRoute, // automatic token bridge - routes.CCTPRoute, // manual CCTP - routes.AutomaticCCTPRoute, // automatic CCTP - routes.AutomaticPorticoRoute, // Native eth transfers -]); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L30) - + +??? code "View the complete script" + ```ts hl_lines="30" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' + ``` Once created, the resolver can be used to provide a list of input and possible output tokens. - ```ts -// what tokens are available on the source chain? -const srcTokens = await resolver.supportedSourceTokens(sendChain); -console.log( - 'Allowed source tokens: ', - srcTokens.map((t) => canonicalAddress(t)) -); - -// Grab the first one for the example -// const sendToken = srcTokens[0]!; -const sendToken = Wormhole.tokenId(sendChain.chain, 'native'); - -// given the send token, what can we possibly get on the destination chain? -const destTokens = await resolver.supportedDestinationTokens( - sendToken, - sendChain, - destChain -); -console.log( - 'For the given source token and routes configured, the following tokens may be receivable: ', - destTokens.map((t) => canonicalAddress(t)) -); -//grab the first one for the example -const destinationToken = destTokens[0]!; +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L41) - -Once the tokens are selected, a `RouteTransferRequest` may be created to provide a list of routes that can fulfil the request +??? code "View the complete script" + ```ts hl_lines="41" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' + ``` + +Once the tokens are selected, a `RouteTransferRequest` may be created to provide a list of routes that can fulfill the request. - ```ts -// creating a transfer request fetches token details -// since all routes will need to know about the tokens -const tr = await routes.RouteTransferRequest.create(wh, { - from: sender.address, - to: receiver.address, - source: sendToken, - destination: destinationToken, -}); - -// resolve the transfer request to a set of routes that can perform it -const foundRoutes = await resolver.findRoutes(tr); -console.log( - 'For the transfer parameters, we found these routes: ', - foundRoutes -); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L63) - + +??? code "View the complete script" + ```ts hl_lines="63" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' + ``` Choosing the best route is currently left to the developer but strategies might include sorting by output amount or expected time to complete the transfer (no estimate currently provided). After choosing the best route, extra parameters like `amount`, `nativeGasDropoff`, and `slippage` can be passed, depending on the specific route selected and a quote can be retrieved with the validated request. - ```ts -console.log( - 'This route offers the following default options', - bestRoute.getDefaultOptions() -); -// Specify the amount as a decimal string -const amt = '0.001'; -// Create the transfer params for this request -const transferParams = { amount: amt, options: { nativeGas: 0 } }; - -// validate the transfer params passed, this returns a new type of ValidatedTransferParams -// which (believe it or not) is a validated version of the input params -// this new var must be passed to the next step, quote -const validated = await bestRoute.validate(transferParams); -if (!validated.valid) throw validated.error; -console.log('Validated parameters: ', validated.params); - -// get a quote for the transfer, this too returns a new type that must -// be passed to the next step, execute (if you like the quote) -const quote = await bestRoute.quote(validated.params); -if (!quote.success) throw quote.error; -console.log('Best route quote: ', quote); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L83) - +??? code "View the complete script" + ```ts hl_lines="83" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' + ``` -Finally, assuming the quote looks good, the route can initiate the request with the quote and the `signer` +Finally, assuming the quote looks good, the route can initiate the request with the quote and the `signer`. - ```ts -// Now the transfer may be initiated -// A receipt will be returned, guess what you gotta do with that? -const receipt = await bestRoute.initiate(sender.signer, quote); -console.log('Initiated transfer with receipt: ', receipt); +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts' ``` -See example [here](https://github.com/wormhole-foundation/wormhole-sdk-ts/blob/main/examples/src/router.ts#L107) - -Note: See the `router.ts` example in the examples directory for a full working example +??? code "View the complete script" + ```ts hl_lines="107" + --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' + ``` + +Note: See the `router.ts` example in the [examples directory](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/examples) for a full working example. ## See also -The tsdoc is available [here](https://wormhole-foundation.github.io/wormhole-sdk-ts/) \ No newline at end of file +The tsdoc is available [on Github](https://wormhole-foundation.github.io/wormhole-sdk-ts/) \ No newline at end of file From fb1e5a6a2a189e93ef98e09bed9316d5694af798 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 2 Aug 2024 18:31:47 -0700 Subject: [PATCH 06/73] revisions --- .../wormhole-sdk.md | 61 +++++++++---------- 1 file changed, 30 insertions(+), 31 deletions(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 0034fedaa..b17c5fbbf 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -3,17 +3,17 @@ title: Wormhole TS SDK description: Explore Wormhole's Typescript SDK and learn about how to perform different types of transfers, including Native, Token, USDC, and Gateway Transfers. --- -# Wormhole TS SDK +# Wormhole TS SDK {: #wormhole-ts-sdk} The Wormhole Typescript SDK is useful for interacting with the chains Wormhole supports and the [protocols](#protocols) built on top of Wormhole. -## Warning +## Warning {: #warning} -:warning: This package is a Work in Progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues) any issues you find. :warning: +:warning: This package is a Work in Progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues){target=\_blank} any issues you find. :warning: -## Installation +## Installation {: #installation} -### Basic +### Basic {: #basic} Install the (meta) package @@ -23,7 +23,7 @@ npm install @wormhole-foundation/sdk This package combines all the individual packages to make setup easier while allowing for tree shaking. -### Advanced +### Advanced {: #advanced} Alternatively, for an advanced user, install a specific set of published packages. @@ -38,7 +38,7 @@ npm install @wormhole-foundation/sdk-evm npm install @wormhole-foundation/sdk-evm-tokenbridge ``` -## Usage +## Usage {: #usage} Getting started is simple; just import Wormhole and the [Platform](#platforms) modules you wish to support @@ -64,7 +64,6 @@ And pass those to the Wormhole constructor to make them available for use With a configured Wormhole object, we can do things like parse addresses for the platforms we passed, get a [ChainContext](#chain-context) object, or fetch VAAs. - ```ts // Grab a ChainContext object from our configured Wormhole instance const ctx = wh.getChain('Solana'); @@ -97,17 +96,17 @@ Optionally, the default configuration may be overridden if you want to support a --8<-- 'code/build/build-multichain-applications/wormhole-sdk/config.ts' ``` -## Concepts +## Concepts {: #concepts} Understanding several higher-level concepts of the SDK will help you use it effectively. -### Platforms +### Platforms {: #platforms} Every chain is its own special snowflake, but many share similar functionality. The `Platform` modules provide a consistent interface for interacting with the chains that share a platform. Each platform can be installed separately so that dependencies can stay as slim as possible. -### Chain Context +### Chain Context {: #chain-context} The `Wormhole` class provides a `getChain` method that returns a `ChainContext` object for a given chain. This object provides access to the chain specific methods and utilities. Much of the functionality in the `ChainContext` is provided by the `Platform` methods but the specific chain may have overridden methods. @@ -117,9 +116,9 @@ The ChainContext object is also responsible for holding a cached rpc client and --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-chain.ts' ``` -### Addresses +### Addresses {: #addresses} -Within the Wormhole context, addresses are often [normalized](https://docs.wormhole.com/wormhole/blockchain-environments/evm#addresses) to 32 bytes and referred to in this SDK as a `UniversalAddresses`. +Within the Wormhole context, addresses are often [normalized](https://docs.wormhole.com/wormhole/blockchain-environments/evm#addresses){target=\_blank} to 32 bytes and referred to in this SDK as a `UniversalAddresses`. Each platform has an address type that understands the native address formats, unsurprisingly referred to as NativeAddress. This abstraction allows the SDK to work with addresses consistently regardless of the underlying chain. @@ -127,7 +126,7 @@ Each platform has an address type that understands the native address formats, u --8<-- 'code/build/build-multichain-applications/wormhole-sdk/addresses.ts' ``` -### Tokens +### Tokens {: #tokens} Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given Token. @@ -135,7 +134,7 @@ Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Ad --8<-- 'code/build/build-multichain-applications/wormhole-sdk/tokens.ts' ``` -### Signers +### Signers {: #signers} An object that fulfils the `Signer` interface is required to sign transactions. This simple interface can be implemented by wrapping a web wallet or other signing mechanism. @@ -143,17 +142,17 @@ An object that fulfils the `Signer` interface is required to sign transactions. --8<-- 'code/build/build-multichain-applications/wormhole-sdk/signers.ts' ``` -See the testing signers ([Evm](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts), [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts), ...) for an example of how to implement a signer for a specific chain or platform. +See the testing signers ([Evm](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts){target=\_blank}, [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts){target=\_blank}, ...) for an example of how to implement a signer for a specific chain or platform. -### Protocols +### Protocols {: #protocols} While Wormhole is a Generic Message Passing (GMP) protocol, several protocols have been built to provide specific functionality. If available, each protocol will have a platform-specific implementation. These implementations provide methods to generate transactions or read state from the contract on-chain. -#### Wormhole Core +#### Wormhole Core {: #wormhole-core} -The core protocol underlies all Wormhole activity. This protocol is responsible for emitting the message containing the information necessary to perform bridging, including the [Emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter), the [Sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence) for the message, and the Payload of the message itself. +The core protocol underlies all Wormhole activity. This protocol is responsible for emitting the message containing the information necessary to perform bridging, including the [Emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter){target=\_blank}, the [Sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence){target=\_blank} for the message, and the Payload of the message itself. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts' @@ -166,7 +165,7 @@ The core protocol underlies all Wormhole activity. This protocol is responsible The information necessary to perform whatever action is required based on the Protocol that uses it is within the payload. -#### Token Bridge +#### Token Bridge {: #token-bridge} The most familiar protocol built on Wormhole is the Token Bridge. @@ -178,15 +177,15 @@ Every chain has a `TokenBridge` protocol client that provides a consistent inter --8<-- 'code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts' ``` -Supported protocols are defined in the [definitions module](https://github.com/wormhole-foundation/connect-sdk/tree/main/core/definitions/src/protocols). +Supported protocols are defined in the [definitions module](https://github.com/wormhole-foundation/connect-sdk/tree/main/core/definitions/src/protocols){target=\_blank}. -## Transfers +## Transfers {: #transfers} While using the [ChainContext](#chain-context) and [Protocol](#protocols) clients directly is possible, to do things like transfer tokens, the SDK provides some helpful abstractions. The `WormholeTransfer` interface provides a convenient abstraction to encapsulate the steps involved in a cross-chain transfer. -### Token Transfers +### Token Transfers {: #token-transfers} Performing a Token Transfer is trivial for any source and destination chains. @@ -203,9 +202,9 @@ We can create a new `Wormhole` object to make `TokenTransfer,` `CircleTransfer,` Internally, this uses the [TokenBridge](#token-bridge) protocol client to transfer tokens. Like other Protocols, the `TokenBridge` protocol provides a consistent set of methods across all chains to generate a set of transactions for that specific chain. -### Native USDC Transfers +### Native USDC Transfers {: #native-usdc-transfers} -We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en/cross-chain-transfer-protocol) +We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en/cross-chain-transfer-protocol){target=\_blank} ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts' @@ -216,7 +215,7 @@ We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp.ts' ``` -### Gateway Transfers +### Gateway Transfers {: #gateway-transfers} Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. @@ -253,7 +252,7 @@ A transfer leaving Cosmos will produce a VAA from the Gateway that must be manua --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cosmos.ts' ``` -### Recovering Transfers +### Recovering Transfers {: #recovering-transfers} It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the Transfer class with the `from` static method and pass one of several types of identifiers. @@ -268,7 +267,7 @@ A `TransactionId` or `WormholeMessageId` may be used to recover the transfer. --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp.ts' ``` -## Routes +## Routes {: #routes} While a specific `WormholeTransfer` may be used (TokenTransfer, CCTPTransfer, etc.), the developer must know exactly which transfer type to use for a given request. @@ -329,8 +328,8 @@ Finally, assuming the quote looks good, the route can initiate the request with --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' ``` -Note: See the `router.ts` example in the [examples directory](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/examples) for a full working example. +Note: See the `router.ts` example in the [examples directory](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/examples){target=\_blank} for a full working example. -## See also +## See also {: #see-also} -The tsdoc is available [on Github](https://wormhole-foundation.github.io/wormhole-sdk-ts/) \ No newline at end of file +The tsdoc is available [on Github](https://wormhole-foundation.github.io/wormhole-sdk-ts/){target=\_blank}. \ No newline at end of file From 12f9b02a25b545ad736f5b266d7f990aea591f45 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:17:50 -0700 Subject: [PATCH 07/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index b17c5fbbf..2091bbbb7 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -102,7 +102,7 @@ Understanding several higher-level concepts of the SDK will help you use it effe ### Platforms {: #platforms} -Every chain is its own special snowflake, but many share similar functionality. The `Platform` modules provide a consistent interface for interacting with the chains that share a platform. +Every chain is unique, but many share similar functionality. The `Platform` modules provide a consistent interface for interacting with the chains that share a platform. Each platform can be installed separately so that dependencies can stay as slim as possible. From 7127c26045655e9f3a96b52b3516746b928defe3 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:17:59 -0700 Subject: [PATCH 08/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 2091bbbb7..bd260ac3d 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -110,7 +110,7 @@ Each platform can be installed separately so that dependencies can stay as slim The `Wormhole` class provides a `getChain` method that returns a `ChainContext` object for a given chain. This object provides access to the chain specific methods and utilities. Much of the functionality in the `ChainContext` is provided by the `Platform` methods but the specific chain may have overridden methods. -The ChainContext object is also responsible for holding a cached rpc client and protocol clients. +The `ChainContext` object is also responsible for holding a cached RPC client and protocol clients. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-chain.ts' From ae8d03d6f747023cd5e47abd5e9c9477c2be2dc6 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:18:11 -0700 Subject: [PATCH 09/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index bd260ac3d..45bb8e568 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -120,7 +120,7 @@ The `ChainContext` object is also responsible for holding a cached RPC client an Within the Wormhole context, addresses are often [normalized](https://docs.wormhole.com/wormhole/blockchain-environments/evm#addresses){target=\_blank} to 32 bytes and referred to in this SDK as a `UniversalAddresses`. -Each platform has an address type that understands the native address formats, unsurprisingly referred to as NativeAddress. This abstraction allows the SDK to work with addresses consistently regardless of the underlying chain. +Each platform has an address type that understands the native address formats, referred to as `NativeAddress.` This abstraction allows the SDK to work with addresses consistently regardless of the underlying chain. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/addresses.ts' From ac2e10626249a1ed6d5005a9ae5777a636fda92e Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:18:32 -0700 Subject: [PATCH 10/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 45bb8e568..65ea3c759 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -128,7 +128,7 @@ Each platform has an address type that understands the native address formats, r ### Tokens {: #tokens} -Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given Token. +Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given token. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/tokens.ts' From d2cc2371a9d78812c5b96dca6881115066dedceb Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:20:48 -0700 Subject: [PATCH 11/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 65ea3c759..83ee18462 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -181,7 +181,7 @@ Supported protocols are defined in the [definitions module](https://github.com/w ## Transfers {: #transfers} -While using the [ChainContext](#chain-context) and [Protocol](#protocols) clients directly is possible, to do things like transfer tokens, the SDK provides some helpful abstractions. +While using the [ChainContext](#chain-context) and [Protocol](#protocols) clients directly is possible, the SDK provides some helpful abstractions for doing things like transferring tokens. The `WormholeTransfer` interface provides a convenient abstraction to encapsulate the steps involved in a cross-chain transfer. From 28acee0cdbac777a1cff57589069aa51924aa7e5 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:21:03 -0700 Subject: [PATCH 12/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 83ee18462..790802fee 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -304,7 +304,7 @@ Once the tokens are selected, a `RouteTransferRequest` may be created to provide --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' ``` -Choosing the best route is currently left to the developer but strategies might include sorting by output amount or expected time to complete the transfer (no estimate currently provided). +Choosing the best route is currently left to the developer, but strategies might include sorting by output amount or expected time to complete the transfer (no estimate is currently provided). After choosing the best route, extra parameters like `amount`, `nativeGasDropoff`, and `slippage` can be passed, depending on the specific route selected and a quote can be retrieved with the validated request. From 78ae92345b5c5f1ff7da8c15df3d2dfa5dd63f85 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:23:22 -0700 Subject: [PATCH 13/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 790802fee..948624775 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -163,7 +163,7 @@ The core protocol underlies all Wormhole activity. This protocol is responsible --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts' ``` -The information necessary to perform whatever action is required based on the Protocol that uses it is within the payload. +The payload contains the information necessary to perform whatever action is required based on the Protocol that uses it. #### Token Bridge {: #token-bridge} From 759d1e155a7ae830b455ea8405de3c11ced8cf9b Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:23:47 -0700 Subject: [PATCH 14/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 948624775..0502b6b9a 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -189,7 +189,7 @@ The `WormholeTransfer` interface provides a convenient abstraction to encapsulat Performing a Token Transfer is trivial for any source and destination chains. -We can create a new `Wormhole` object to make `TokenTransfer,` `CircleTransfer,` `GatewayTransfer,` etc., objects to transfer tokens between chains. The transfer object is responsible for tracking the transfer through the process and providing updates on its status. +We can create a new `Wormhole` object to make objects like `TokenTransfer,` `CircleTransfer,` and `GatewayTransfer,` to transfer tokens between chains. The transfer object is responsible for tracking the transfer throughout the process and providing updates on its status. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts' From 127533e9bbcfb4c21fdc0ea2a09f6b4c99792060 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 11:25:50 -0700 Subject: [PATCH 15/73] change warning to admonition --- build/build-multichain-applications/wormhole-sdk.md | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 0502b6b9a..0f3f5d7f8 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -7,9 +7,8 @@ description: Explore Wormhole's Typescript SDK and learn about how to perform di The Wormhole Typescript SDK is useful for interacting with the chains Wormhole supports and the [protocols](#protocols) built on top of Wormhole. -## Warning {: #warning} - -:warning: This package is a Work in Progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues){target=\_blank} any issues you find. :warning: +!!! warning + This package is a Work in Progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues){target=\_blank} any issues you find. :warning: ## Installation {: #installation} From 7faabcfed1a195b567ef1f9ae2ace9c9562d0409 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 13:59:18 -0700 Subject: [PATCH 16/73] rev --- .../wormhole-sdk/cctp-example-snippet.ts | 4 --- .../wormhole-sdk.md | 35 +++++++------------ 2 files changed, 12 insertions(+), 27 deletions(-) diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts index 8917db431..7d4b233b6 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts @@ -13,10 +13,6 @@ req.nativeGas ); -// Note, if the transfer is requested to be Automatic, a fee for performing the relay -// will be present in the quote. The fee comes out of the amount requested to be sent. -// If the user wants to receive 1.0 on the destination, the amount to send should be 1.0 + fee. -// The same applies for native gas dropoff const quote = await CircleTransfer.quoteTransfer( src.chain, dst.chain, diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 0f3f5d7f8..2b880a246 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -8,13 +8,13 @@ description: Explore Wormhole's Typescript SDK and learn about how to perform di The Wormhole Typescript SDK is useful for interacting with the chains Wormhole supports and the [protocols](#protocols) built on top of Wormhole. !!! warning - This package is a Work in Progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues){target=\_blank} any issues you find. :warning: + This package is a Work in Progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues){target=\_blank} any issues you find. ## Installation {: #installation} ### Basic {: #basic} -Install the (meta) package +Install the (meta) package: ```bash npm install @wormhole-foundation/sdk @@ -24,43 +24,36 @@ This package combines all the individual packages to make setup easier while all ### Advanced {: #advanced} -Alternatively, for an advanced user, install a specific set of published packages. +Alternatively, you can install a specific set of published packages: ```bash # constants npm install @wormhole-foundation/sdk-base + # contract interfaces, basic types, vaa payload definitions npm install @wormhole-foundation/sdk-definitions + # Evm specific utilities npm install @wormhole-foundation/sdk-evm + # Evm TokenBridge protocol client npm install @wormhole-foundation/sdk-evm-tokenbridge ``` ## Usage {: #usage} -Getting started is simple; just import Wormhole and the [Platform](#platforms) modules you wish to support +Getting started is simple; just import Wormhole and the [Platform](#platforms) modules you wish to support: ```ts import { wormhole } from '@wormhole-foundation/sdk'; ``` -??? code "View the complete script" - ```ts hl_lines="2" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' - ``` - -And pass those to the Wormhole constructor to make them available for use +Then, pass the [Platform](#platforms) modules to the Wormhole constructor to make them available for use: ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts' ``` -??? code "View the complete script" - ```ts hl_lines="16" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' - ``` - With a configured Wormhole object, we can do things like parse addresses for the platforms we passed, get a [ChainContext](#chain-context) object, or fetch VAAs. ```ts @@ -68,11 +61,6 @@ With a configured Wormhole object, we can do things like parse addresses for the const ctx = wh.getChain('Solana'); ``` -??? code "View the complete script" - ```ts hl_lines="21" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' - ``` - You can retrieve a VAA as follows: ```ts @@ -84,7 +72,8 @@ You can retrieve a VAA as follows: --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' ``` -Optionally, the default configuration may be overridden if you want to support a different RPC endpoint. + +Optionally, you can override the default configuration with a partial `WormholeConfig` object to specify particular fields, such as a different RPC endpoint. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/config-override.ts' @@ -97,7 +86,7 @@ Optionally, the default configuration may be overridden if you want to support a ## Concepts {: #concepts} -Understanding several higher-level concepts of the SDK will help you use it effectively. +Understanding several higher-level concepts of the SDK will help you use it effectively. The following sections will introduce and discuss the concepts of platforms, chain contexts, addresses, tokens, signers, and protocols. ### Platforms {: #platforms} @@ -203,7 +192,7 @@ Internally, this uses the [TokenBridge](#token-bridge) protocol client to transf ### Native USDC Transfers {: #native-usdc-transfers} -We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en/cross-chain-transfer-protocol){target=\_blank} +We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en/cross-chain-transfer-protocol){target=\_blank}. Please note that if the transfer is set to Automatic mode, a fee for performing the relay will be included in the quote. This fee is deducted from the total amount requested to be sent. For example, if the user wishes to receive `1.0` on the destination, the amount sent should be adjusted to `1.0` plus the relay fee. The same principle applies to native gas dropoffs ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts' From 2aa20eb9e9521d4b80ab4f1141cf8ebdb1898c85 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 14:06:27 -0700 Subject: [PATCH 17/73] rev' ' --- .../wormhole-sdk/signers.ts | 13 ---------- .../wormhole-sdk.md | 24 +++++++------------ 2 files changed, 9 insertions(+), 28 deletions(-) diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts index b5fa19270..e02a96e30 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts @@ -1,13 +1,5 @@ -// A Signer is an interface that must be provided to certain methods -// in the SDK to sign transactions. It can be either a SignOnlySigner -// or a SignAndSendSigner depending on circumstances. -// A Signer can be implemented by wrapping an existing offline wallet -// or a web wallet export type Signer = SignOnlySigner | SignAndSendSigner; -// A SignOnlySender is for situations where the signer is not -// connected to the network or does not wish to broadcast the -// transactions themselves export interface SignOnlySigner { chain(): ChainName; address(): string; @@ -15,14 +7,9 @@ export interface SignOnlySigner { // an array of signed and serialized transactions. // The transactions may be inspected or altered before // signing. - // Note: The serialization is chain specific, if in doubt, - // see the example implementations linked below sign(tx: UnsignedTransaction[]): Promise; } -// A SignAndSendSigner is for situations where the signer is -// connected to the network and wishes to broadcast the -// transactions themselves export interface SignAndSendSigner { chain(): ChainName; address(): string; diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 2b880a246..e44445cd5 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -124,7 +124,11 @@ Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Ad ### Signers {: #signers} -An object that fulfils the `Signer` interface is required to sign transactions. This simple interface can be implemented by wrapping a web wallet or other signing mechanism. +In the SDK, a Signer interface is required for certain methods to sign transactions. This interface can be fulfilled by either a `SignOnlySigner` or a `SignAndSendSigner`, depending on the specific requirements. A Signer can be created by wrapping an existing offline wallet or a web wallet. + +A `SignOnlySigner` is used in scenarios where the signer is not connected to the network or prefers not to broadcast transactions themselves. It accepts an array of unsigned transactions and returns an array of signed and serialized transactions. Before signing, the transactions may be inspected or altered. It's important to note that the serialization process is chain-specific; for guidance, refer to the linked example implementations. + +Conversely, a `SignAndSendSigner` is appropriate when the signer is connected to the network and intends to broadcast the transactions. This type of signer also accepts an array of unsigned transactions but returns an array of transaction IDs, corresponding to the order of the unsigned transactions. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/signers.ts' @@ -134,9 +138,7 @@ See the testing signers ([Evm](https://github.com/wormhole-foundation/connect-sd ### Protocols {: #protocols} -While Wormhole is a Generic Message Passing (GMP) protocol, several protocols have been built to provide specific functionality. - -If available, each protocol will have a platform-specific implementation. These implementations provide methods to generate transactions or read state from the contract on-chain. +While Wormhole is a Generic Message Passing (GMP) protocol, several protocols have been built to provide specific functionality. If available, each protocol will have a platform-specific implementation. These implementations provide methods to generate transactions or read state from the contract on-chain. #### Wormhole Core {: #wormhole-core} @@ -155,11 +157,7 @@ The payload contains the information necessary to perform whatever action is req #### Token Bridge {: #token-bridge} -The most familiar protocol built on Wormhole is the Token Bridge. - -Every chain has a `TokenBridge` protocol client that provides a consistent interface for interacting with the Token Bridge. This includes methods to generate the transactions required to transfer tokens and methods to generate and redeem attestations. - -`WormholeTransfer` abstractions are the recommended way to interact with these protocols but it is possible to use them directly. +The most familiar protocol built on Wormhole is the Token Bridge. Every chain has a `TokenBridge` protocol client that provides a consistent interface for interacting with the Token Bridge. This includes methods to generate the transactions required to transfer tokens and methods to generate and redeem attestations. `WormholeTransfer` abstractions are the recommended way to interact with these protocols but it is possible to use them directly. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts' @@ -205,9 +203,7 @@ We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en ### Gateway Transfers {: #gateway-transfers} -Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. - -A transfer into Cosmos from outside cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain) +Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. A transfer into Cosmos from outside cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain) ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts' @@ -242,9 +238,7 @@ A transfer leaving Cosmos will produce a VAA from the Gateway that must be manua ### Recovering Transfers {: #recovering-transfers} -It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the Transfer class with the `from` static method and pass one of several types of identifiers. - -A `TransactionId` or `WormholeMessageId` may be used to recover the transfer. +It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the Transfer class with the `from` static method and pass one of several types of identifiers. A `TransactionId` or `WormholeMessageId` may be used to recover the transfer. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts' From e1a8c307b0276d502e299718670cbea99ea6d814 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 6 Aug 2024 15:28:20 -0700 Subject: [PATCH 18/73] revisions --- .../wormhole-sdk/addresses.ts | 4 +- .../wormhole-sdk/cctp-example-snippet.ts | 8 -- .../wormhole-sdk/cctp.ts | 44 +++++---- .../wormhole-sdk/config-override.ts | 2 - .../wormhole-sdk/config.ts | 12 +-- .../wormhole-sdk/core-bridge.ts | 15 +-- .../wormhole-sdk/cosmos.ts | 90 +++++++++-------- .../wormhole-sdk/example-core-bridge.ts | 20 ++-- .../wormhole-sdk/example-request-create.ts | 2 - .../wormhole-sdk/example-request-initiate.ts | 1 - .../wormhole-sdk/example-request-validate.ts | 11 +-- .../example-resolver-list-tokens.ts | 6 +- .../wormhole-sdk/example-token-transfer.ts | 1 - .../wormhole-sdk/get-chain.ts | 2 - .../wormhole-sdk/get-vaa-snippet.ts | 2 +- .../wormhole-sdk/get-vaa.ts | 56 ++++++----- .../wormhole-sdk/router.ts | 66 ++++++++----- .../wormhole-sdk/token-bridge.ts | 42 ++++---- .../wormhole-sdk/tokens.ts | 5 - .../wormhole-sdk.md | 97 ++++++++++--------- 20 files changed, 251 insertions(+), 235 deletions(-) diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts index b908b6bcd..193d362b2 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts @@ -1,8 +1,8 @@ -// Its possible to convert a string address to its Native address +// It's possible to convert a string address to its Native address const ethAddr: NativeAddress<'Evm'> = toNative('Ethereum', '0xbeef...'); // A common type in the SDK is the `ChainAddress` which provides -// the additional context of the `Chain` this address is relevant for. +// the additional context of the `Chain` this address is relevant for const senderAddress: ChainAddress = Wormhole.chainAddress( 'Ethereum', '0xbeef...' diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts index 7d4b233b6..72a6ed046 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts @@ -1,15 +1,9 @@ const xfer = await wh.circleTransfer( - // amount as bigint (base units) req.amount, - // sender chain/address src.address, - // receiver chain/address dst.address, - // automatic delivery boolean req.automatic, - // payload to be sent with the transfer undefined, - // If automatic, native gas can be requested to be sent to the receiver req.nativeGas ); @@ -30,8 +24,6 @@ if (req.automatic) { return; } -// Note: Depending on chain finality, this timeout may need to be increased. -// See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more console.log('Waiting for Attestation'); const attestIds = await xfer.fetchAttestation(60_000); console.log(`Got Attestation: `, attestIds); diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts index cd384467f..f6778434b 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts @@ -8,10 +8,10 @@ import { Wormhole, amount, wormhole, -} from "@wormhole-foundation/sdk"; -import evm from "@wormhole-foundation/sdk/evm"; -import solana from "@wormhole-foundation/sdk/solana"; -import { SignerStuff, getSigner, waitForRelay } from "./helpers/index.js"; +} from '@wormhole-foundation/sdk'; +import evm from '@wormhole-foundation/sdk/evm'; +import solana from '@wormhole-foundation/sdk/solana'; +import { SignerStuff, getSigner, waitForRelay } from './helpers/index.js'; /* Notes: @@ -24,11 +24,11 @@ AutoRelayer takes a 0.1usdc fee when xfering to any chain beside goerli, which i (async function () { // init Wormhole object, passing config for which network // to use (e.g. Mainnet/Testnet) and what Platforms to support - const wh = await wormhole("Testnet", [evm, solana]); + const wh = await wormhole('Testnet', [evm, solana]); // Grab chain Contexts - const sendChain = wh.getChain("Avalanche"); - const rcvChain = wh.getChain("Solana"); + const sendChain = wh.getChain('Avalanche'); + const rcvChain = wh.getChain('Solana'); // Get signer from local key but anything that implements // Signer interface (e.g. wrapper around web wallet) should work @@ -36,7 +36,7 @@ AutoRelayer takes a 0.1usdc fee when xfering to any chain beside goerli, which i const destination = await getSigner(rcvChain); // 6 decimals for USDC (except for bsc, so check decimals before using this) - const amt = amount.units(amount.parse("0.2", 6)); + const amt = amount.units(amount.parse('0.2', 6)); // Choose whether or not to have the attestation delivered for you const automatic = false; @@ -45,7 +45,7 @@ AutoRelayer takes a 0.1usdc fee when xfering to any chain beside goerli, which i // during redemption, the receiver gets some amount of native gas transferred to them // so that they may pay for subsequent transactions // The amount specified here is denominated in the token being transferred (USDC here) - const nativeGas = automatic ? amount.units(amount.parse("0.0", 6)) : 0n; + const nativeGas = automatic ? amount.units(amount.parse('0.0', 6)) : 0n; await cctpTransfer(wh, source, destination, { amount: amt, @@ -75,7 +75,7 @@ async function cctpTransfer( amount: bigint; automatic: boolean; nativeGas?: bigint; - }, + } ) { // EXAMPLE_CCTP_TRANSFER const xfer = await wh.circleTransfer( @@ -90,17 +90,21 @@ async function cctpTransfer( // payload to be sent with the transfer undefined, // If automatic, native gas can be requested to be sent to the receiver - req.nativeGas, + req.nativeGas ); // Note, if the transfer is requested to be Automatic, a fee for performing the relay // will be present in the quote. The fee comes out of the amount requested to be sent. // If the user wants to receive 1.0 on the destination, the amount to send should be 1.0 + fee. // The same applies for native gas dropoff - const quote = await CircleTransfer.quoteTransfer(src.chain, dst.chain, xfer.transfer); - console.log("Quote", quote); + const quote = await CircleTransfer.quoteTransfer( + src.chain, + dst.chain, + xfer.transfer + ); + console.log('Quote', quote); - console.log("Starting Transfer"); + console.log('Starting Transfer'); const srcTxids = await xfer.initiateTransfer(src.signer); console.log(`Started Transfer: `, srcTxids); @@ -112,11 +116,11 @@ async function cctpTransfer( // Note: Depending on chain finality, this timeout may need to be increased. // See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more - console.log("Waiting for Attestation"); + console.log('Waiting for Attestation'); const attestIds = await xfer.fetchAttestation(60_000); console.log(`Got Attestation: `, attestIds); - console.log("Completing Transfer"); + console.log('Completing Transfer'); const dstTxids = await xfer.completeTransfer(dst.signer); console.log(`Completed Transfer: `, dstTxids); // EXAMPLE_CCTP_TRANSFER @@ -125,16 +129,16 @@ async function cctpTransfer( export async function completeTransfer( wh: Wormhole, txid: TransactionId, - signer: Signer, + signer: Signer ): Promise { // EXAMPLE_RECOVER_TRANSFER // Rebuild the transfer from the source txid const xfer = await CircleTransfer.from(wh, txid); const attestIds = await xfer.fetchAttestation(60 * 60 * 1000); - console.log("Got attestation: ", attestIds); + console.log('Got attestation: ', attestIds); const dstTxIds = await xfer.completeTransfer(signer); - console.log("Completed transfer: ", dstTxIds); + console.log('Completed transfer: ', dstTxIds); // EXAMPLE_RECOVER_TRANSFER -} \ No newline at end of file +} diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts index a6b6589eb..b2168a9bc 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts @@ -1,5 +1,3 @@ -// Pass a partial WormholeConfig object to override specific -// fields in the default config const wh = await wormhole('Testnet', [solana], { chains: { Solana: { diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts index bc669670b..aa576154d 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts @@ -1,19 +1,19 @@ -import { wormhole } from "@wormhole-foundation/sdk"; -import solana from "@wormhole-foundation/sdk/solana"; +import { wormhole } from '@wormhole-foundation/sdk'; +import solana from '@wormhole-foundation/sdk/solana'; (async function () { // EXAMPLE_CONFIG_OVERRIDE // Pass a partial WormholeConfig object to override specific // fields in the default config - const wh = await wormhole("Testnet", [solana], { + const wh = await wormhole('Testnet', [solana], { chains: { Solana: { contracts: { - coreBridge: "11111111111111111111111111111", + coreBridge: '11111111111111111111111111111', }, - rpc: "https://api.devnet.solana.com", + rpc: 'https://api.devnet.solana.com', }, }, }); // EXAMPLE_CONFIG_OVERRIDE console.log(wh.config.chains.Solana); -})(); \ No newline at end of file +})(); diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts index 5303ea8ed..4f66b6015 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts @@ -1,9 +1,6 @@ const wh = await wormhole('Testnet', [solana]); - const chain = wh.getChain('Solana'); const { signer, address } = await getSigner(chain); - -// Get a reference to the core messaging bridge const coreBridge = await chain.getWormholeCore(); // Generate transactions, sign and send them @@ -12,31 +9,23 @@ const publishTxs = coreBridge.publishMessage( address.address, // Message to send (payload in VAA) encoding.bytes.encode('lol'), - // Nonce (user defined, no requirement for a specific value, useful to provide a unique identifier for the message) + // Nonce (user defined, no requirement for a specific value) 0, - // ConsistencyLevel (ie finality of the message, see wormhole docs for more) + // ConsistencyLevel (ie finality of the message) 0 ); // Send the transaction(s) to publish the message const txids = await signSendWait(chain, publishTxs, signer); // Take the last txid in case multiple were sent -// the last one should be the one containing the relevant -// event or log info const txid = txids[txids.length - 1]; // Grab the wormhole message id from the transaction logs or storage const [whm] = await chain.parseTransaction(txid!.txid); -// Or pull the full message content as an Unsigned VAA -// const msgs = await coreBridge.parseMessages(txid!.txid); -// console.log(msgs); - // Wait for the vaa to be signed and available with a timeout const vaa = await wh.getVaa(whm!, 'Uint8Array', 60_000); console.log(vaa); -// Also possible to search by txid but it takes longer to show up -// console.log(await wh.getVaaByTxHash(txid!.txid, "Uint8Array")); const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); console.log(await signSendWait(chain, verifyTxs, signer)); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts index 8c4be551e..f2f70ec5f 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts @@ -7,14 +7,14 @@ import { Wormhole, amount, wormhole, -} from "@wormhole-foundation/sdk"; +} from '@wormhole-foundation/sdk'; // Import the platform specific packages -import cosmwasm from "@wormhole-foundation/sdk/cosmwasm"; -import evm from "@wormhole-foundation/sdk/evm"; -import solana from "@wormhole-foundation/sdk/solana"; -import { SignerStuff, getSigner } from "./helpers/index.js"; +import cosmwasm from '@wormhole-foundation/sdk/cosmwasm'; +import evm from '@wormhole-foundation/sdk/evm'; +import solana from '@wormhole-foundation/sdk/solana'; +import { SignerStuff, getSigner } from './helpers/index.js'; // We're going to transfer into, around, and out of the Cosmos ecosystem // First on Avalanche, transparently through gateway and over IBC to Cosmoshub @@ -34,14 +34,14 @@ import { SignerStuff, getSigner } from "./helpers/index.js"; (async function () { // init Wormhole object, passing config for which network // to use (e.g. Mainnet/Testnet) and what Platforms to support - const wh = await wormhole("Mainnet", [evm, solana, cosmwasm]); + const wh = await wormhole('Mainnet', [evm, solana, cosmwasm]); // Pick up where you left off by updating the txids as you go let fakeIt = false; // Grab chain Contexts for each leg of our journey - const external = wh.getChain("Solana"); - const cosmos1 = wh.getChain("Dymension"); - const cosmos2 = wh.getChain("Injective"); + const external = wh.getChain('Solana'); + const cosmos1 = wh.getChain('Dymension'); + const cosmos2 = wh.getChain('Injective'); // Get signer from local key but anything that implements // Signer interface (e.g. wrapper around web wallet) should work @@ -50,8 +50,10 @@ import { SignerStuff, getSigner } from "./helpers/index.js"; const leg3 = await getSigner(cosmos2); // we'll use the native token on the source chain - const token: TokenId = Wormhole.tokenId(external.chain, "native"); - const amt = amount.units(amount.parse("0.001", external.config.nativeTokenDecimals)); + const token: TokenId = Wormhole.tokenId(external.chain, 'native'); + const amt = amount.units( + amount.parse('0.001', external.config.nativeTokenDecimals) + ); // Transfer native token from source chain, through gateway, to a cosmos chain let route1 = fakeIt @@ -59,16 +61,16 @@ import { SignerStuff, getSigner } from "./helpers/index.js"; wh, { chain: external.chain, - txid: "5y2BnJ1Nwqe4m6KTSrry5Ni88xqVrqo4jdbuNwAPDuXEonQRVLbALf7abViwucKKr8U8cDfJtDmqnuRAAC6i6wtb", + txid: '5y2BnJ1Nwqe4m6KTSrry5Ni88xqVrqo4jdbuNwAPDuXEonQRVLbALf7abViwucKKr8U8cDfJtDmqnuRAAC6i6wtb', }, - 600_000, + 600_000 ) : await transferIntoCosmos(wh, token, amt, leg1, leg2); - console.log("Route 1 (External => Cosmos)", route1); + console.log('Route 1 (External => Cosmos)', route1); // Lookup the Gateway representation of the wrappd token const { denom } = route1.ibcTransfers![0]!.data; - const cosmosTokenAddress = Wormhole.parseAddress("Wormchain", denom); + const cosmosTokenAddress = Wormhole.parseAddress('Wormchain', denom); // Transfer Gateway factory tokens over IBC through gateway to another Cosmos chain let route2 = fakeIt @@ -76,18 +78,18 @@ import { SignerStuff, getSigner } from "./helpers/index.js"; wh, { chain: cosmos1.chain, - txid: "3014CABA727C8A1BFCBD282095C771ACBAB3B13CC595B702ABFD3A4502315FBD", + txid: '3014CABA727C8A1BFCBD282095C771ACBAB3B13CC595B702ABFD3A4502315FBD', }, - 600_000, + 600_000 ) : await transferBetweenCosmos( wh, { chain: cosmos1.chain, address: cosmosTokenAddress }, 1000n, leg2, - leg3, + leg3 ); - console.log("Route 2 (Cosmos -> Cosmos): ", route2); + console.log('Route 2 (Cosmos -> Cosmos): ', route2); // Transfer Gateway factory token through gateway back to source chain let route3 = fakeIt @@ -95,18 +97,18 @@ import { SignerStuff, getSigner } from "./helpers/index.js"; wh, { chain: cosmos2.chain, - txid: "BEDD0CE2FEA8FF5DF81FCA5142E72745E154F87D496CDA147FC4D5D46A7C7D81", + txid: 'BEDD0CE2FEA8FF5DF81FCA5142E72745E154F87D496CDA147FC4D5D46A7C7D81', }, - 600_000, + 600_000 ) : await transferOutOfCosmos( wh, { chain: cosmos2.chain, address: cosmosTokenAddress }, 1000n, leg3, - leg1, + leg1 ); - console.log("Route 3 (Cosmos => External): ", route3); + console.log('Route 3 (Cosmos => External): ', route3); })(); async function transferIntoCosmos( @@ -114,13 +116,15 @@ async function transferIntoCosmos( token: TokenId, amount: bigint, src: SignerStuff, - dst: SignerStuff, + dst: SignerStuff ): Promise> { // EXAMPLE_GATEWAY_INBOUND console.log( - `Beginning transfer into Cosmos from ${src.chain.chain}:${src.address.address.toString()} to ${ + `Beginning transfer into Cosmos from ${ + src.chain.chain + }:${src.address.address.toString()} to ${ dst.chain.chain - }:${dst.address.address.toString()}`, + }:${dst.address.address.toString()}` ); const xfer = await GatewayTransfer.from(wh, { @@ -129,13 +133,13 @@ async function transferIntoCosmos( from: src.address, to: dst.address, } as GatewayTransferDetails); - console.log("Created GatewayTransfer: ", xfer.transfer); + console.log('Created GatewayTransfer: ', xfer.transfer); const srcTxIds = await xfer.initiateTransfer(src.signer); - console.log("Started transfer on source chain", srcTxIds); + console.log('Started transfer on source chain', srcTxIds); const attests = await xfer.fetchAttestation(600_000); - console.log("Got Attestations", attests); + console.log('Got Attestations', attests); // EXAMPLE_GATEWAY_INBOUND return xfer; @@ -146,13 +150,15 @@ async function transferBetweenCosmos( token: TokenId, amount: bigint, src: SignerStuff, - dst: SignerStuff, + dst: SignerStuff ): Promise> { // EXAMPLE_GATEWAY_INTERCOSMOS console.log( `Beginning transfer within cosmos from ${ src.chain.chain - }:${src.address.address.toString()} to ${dst.chain.chain}:${dst.address.address.toString()}`, + }:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}` ); const xfer = await GatewayTransfer.from(wh, { @@ -161,13 +167,13 @@ async function transferBetweenCosmos( from: src.address, to: dst.address, } as GatewayTransferDetails); - console.log("Created GatewayTransfer: ", xfer.transfer); + console.log('Created GatewayTransfer: ', xfer.transfer); const srcTxIds = await xfer.initiateTransfer(src.signer); - console.log("Started transfer on source chain", srcTxIds); + console.log('Started transfer on source chain', srcTxIds); const attests = await xfer.fetchAttestation(60_000); - console.log("Got attests: ", attests); + console.log('Got attests: ', attests); // EXAMPLE_GATEWAY_INTERCOSMOS return xfer; @@ -178,13 +184,15 @@ async function transferOutOfCosmos( token: TokenId, amount: bigint, src: SignerStuff, - dst: SignerStuff, + dst: SignerStuff ): Promise> { // EXAMPLE_GATEWAY_OUTBOUND console.log( `Beginning transfer out of cosmos from ${ src.chain.chain - }:${src.address.address.toString()} to ${dst.chain.chain}:${dst.address.address.toString()}`, + }:${src.address.address.toString()} to ${ + dst.chain.chain + }:${dst.address.address.toString()}` ); const xfer = await GatewayTransfer.from(wh, { @@ -193,17 +201,17 @@ async function transferOutOfCosmos( from: src.address, to: dst.address, } as GatewayTransferDetails); - console.log("Created GatewayTransfer: ", xfer.transfer); + console.log('Created GatewayTransfer: ', xfer.transfer); const srcTxIds = await xfer.initiateTransfer(src.signer); - console.log("Started transfer on source chain", srcTxIds); + console.log('Started transfer on source chain', srcTxIds); const attests = await xfer.fetchAttestation(600_000); - console.log("Got attests", attests); + console.log('Got attests', attests); // Since we're leaving cosmos, this is required to complete the transfer const dstTxIds = await xfer.completeTransfer(dst.signer); - console.log("Completed transfer on destination chain", dstTxIds); + console.log('Completed transfer on destination chain', dstTxIds); // EXAMPLE_GATEWAY_OUTBOUND return xfer; -} \ No newline at end of file +} diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts index 01e6a470f..bca764aad 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts @@ -1,13 +1,13 @@ -import { encoding, signSendWait, wormhole } from "@wormhole-foundation/sdk"; -import { getSigner } from "./helpers/index.js"; -import solana from "@wormhole-foundation/sdk/solana"; -import evm from "@wormhole-foundation/sdk/evm"; +import { encoding, signSendWait, wormhole } from '@wormhole-foundation/sdk'; +import { getSigner } from './helpers/index.js'; +import solana from '@wormhole-foundation/sdk/solana'; +import evm from '@wormhole-foundation/sdk/evm'; (async function () { // EXAMPLE_CORE_BRIDGE - const wh = await wormhole("Testnet", [solana, evm]); + const wh = await wormhole('Testnet', [solana, evm]); - const chain = wh.getChain("Avalanche"); + const chain = wh.getChain('Avalanche'); const { signer, address } = await getSigner(chain); // Get a reference to the core messaging bridge @@ -18,11 +18,11 @@ import evm from "@wormhole-foundation/sdk/evm"; // Address of sender (emitter in VAA) address.address, // Message to send (payload in VAA) - encoding.bytes.encode("lol"), + encoding.bytes.encode('lol'), // Nonce (user defined, no requirement for a specific value, useful to provide a unique identifier for the message) 0, // ConsistencyLevel (ie finality of the message, see wormhole docs for more) - 0, + 0 ); // Send the transaction(s) to publish the message const txids = await signSendWait(chain, publishTxs, signer); @@ -39,7 +39,7 @@ import evm from "@wormhole-foundation/sdk/evm"; // console.log(await coreBridge.parseMessages(txid!.txid)); // Wait for the vaa to be signed and available with a timeout - const vaa = await wh.getVaa(whm!, "Uint8Array", 60_000); + const vaa = await wh.getVaa(whm!, 'Uint8Array', 60_000); console.log(vaa); // Also possible to search by txid but it takes longer to show up @@ -52,4 +52,4 @@ import evm from "@wormhole-foundation/sdk/evm"; const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); console.log(await signSendWait(chain, verifyTxs, signer)); // EXAMPLE_CORE_BRIDGE -})(); \ No newline at end of file +})(); diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts index c4f87bb03..0a02fb476 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts @@ -1,5 +1,3 @@ -// creating a transfer request fetches token details -// since all routes will need to know about the tokens const tr = await routes.RouteTransferRequest.create(wh, { from: sender.address, to: receiver.address, diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts index 856b98b52..594b34909 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts @@ -1,4 +1,3 @@ // Now the transfer may be initiated -// A receipt will be returned, guess what you gotta do with that? const receipt = await bestRoute.initiate(sender.signer, quote); console.log('Initiated transfer with receipt: ', receipt); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts index d3f8bd956..b40b5c0c5 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts @@ -2,20 +2,17 @@ console.log( 'This route offers the following default options', bestRoute.getDefaultOptions() ); -// Specify the amount as a decimal string + const amt = '0.001'; -// Create the transfer params for this request + const transferParams = { amount: amt, options: { nativeGas: 0 } }; -// validate the transfer params passed, this returns a new type of ValidatedTransferParams -// which (believe it or not) is a validated version of the input params -// this new var must be passed to the next step, quote +// validate the transfer params passed const validated = await bestRoute.validate(transferParams); if (!validated.valid) throw validated.error; console.log('Validated parameters: ', validated.params); -// get a quote for the transfer, this too returns a new type that must -// be passed to the next step, execute (if you like the quote) +// get a quote for the transfer const quote = await bestRoute.quote(validated.params); if (!quote.success) throw quote.error; console.log('Best route quote: ', quote); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts index a963eb14f..e8d309af9 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts @@ -1,15 +1,11 @@ -// what tokens are available on the source chain? const srcTokens = await resolver.supportedSourceTokens(sendChain); console.log( 'Allowed source tokens: ', srcTokens.map((t) => canonicalAddress(t)) ); -// Grab the first one for the example -// const sendToken = srcTokens[0]!; const sendToken = Wormhole.tokenId(sendChain.chain, 'native'); -// given the send token, what can we possibly get on the destination chain? const destTokens = await resolver.supportedDestinationTokens( sendToken, sendChain, @@ -19,5 +15,5 @@ console.log( 'For the given source token and routes configured, the following tokens may be receivable: ', destTokens.map((t) => canonicalAddress(t)) ); -//grab the first one for the example + const destinationToken = destTokens[0]!; \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts index 3bab12bdf..92e92baf6 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts @@ -1,4 +1,3 @@ -// Create a TokenTransfer object to track the state of the transfer over time const xfer = await wh.tokenTransfer( route.token, route.amount, diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts index d65d6f6e6..3ff5d59ae 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts @@ -1,5 +1,3 @@ -// Get the chain context for the source and destination chains -// This is useful to grab direct clients for the protocols const srcChain = wh.getChain(senderAddress.chain); const dstChain = wh.getChain(receiverAddress.chain); diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts index 32c9183d4..f0521ce41 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts @@ -4,6 +4,6 @@ const vaa = await wh.getVaa( whm!, // Protocol:Payload name to use for decoding the VAA payload 'TokenBridge:Transfer', - // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available + // Timeout in milliseconds 60_000 ); \ No newline at end of file diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts index 64b4b5e12..40e9564e4 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts @@ -1,27 +1,34 @@ // EXAMPLE_IMPORTS -import { wormhole } from "@wormhole-foundation/sdk"; +import { wormhole } from '@wormhole-foundation/sdk'; // EXAMPLE_IMPORTS -import { Wormhole, amount, signSendWait } from "@wormhole-foundation/sdk"; -import algorand from "@wormhole-foundation/sdk/algorand"; -import aptos from "@wormhole-foundation/sdk/aptos"; -import cosmwasm from "@wormhole-foundation/sdk/cosmwasm"; -import evm from "@wormhole-foundation/sdk/evm"; -import solana from "@wormhole-foundation/sdk/solana"; -import sui from "@wormhole-foundation/sdk/sui"; -import { getSigner } from "./helpers/index.js"; +import { Wormhole, amount, signSendWait } from '@wormhole-foundation/sdk'; +import algorand from '@wormhole-foundation/sdk/algorand'; +import aptos from '@wormhole-foundation/sdk/aptos'; +import cosmwasm from '@wormhole-foundation/sdk/cosmwasm'; +import evm from '@wormhole-foundation/sdk/evm'; +import solana from '@wormhole-foundation/sdk/solana'; +import sui from '@wormhole-foundation/sdk/sui'; +import { getSigner } from './helpers/index.js'; (async function () { // EXAMPLE_WORMHOLE_INIT - const wh = await wormhole("Testnet", [evm, solana, aptos, algorand, cosmwasm, sui]); + const wh = await wormhole('Testnet', [ + evm, + solana, + aptos, + algorand, + cosmwasm, + sui, + ]); // EXAMPLE_WORMHOLE_INIT // EXAMPLE_WORMHOLE_CHAIN // Grab a ChainContext object from our configured Wormhole instance - const ctx = wh.getChain("Solana"); + const ctx = wh.getChain('Solana'); // EXAMPLE_WORMHOLE_CHAIN - const rcv = wh.getChain("Algorand"); + const rcv = wh.getChain('Algorand'); const sender = await getSigner(ctx); const receiver = await getSigner(rcv); @@ -30,10 +37,10 @@ import { getSigner } from "./helpers/index.js"; const sndTb = await ctx.getTokenBridge(); // Send the native token of the source chain - const tokenId = Wormhole.tokenId(ctx.chain, "native"); + const tokenId = Wormhole.tokenId(ctx.chain, 'native'); // bigint amount using `amount` module - const amt = amount.units(amount.parse("0.1", ctx.config.nativeTokenDecimals)); + const amt = amount.units(amount.parse('0.1', ctx.config.nativeTokenDecimals)); // NOTE: If the recipient chain is Solana the ATA _must_ be the recipient address // using a standard wallet account address will result in a failed transfer @@ -53,15 +60,20 @@ import { getSigner } from "./helpers/index.js"; // console.log(withOverrides); // Create a transaction stream for transfers - const transfer = sndTb.transfer(sender.address.address, receiver.address, tokenId.address, amt); + const transfer = sndTb.transfer( + sender.address.address, + receiver.address, + tokenId.address, + amt + ); // Sign and send the transaction const txids = await signSendWait(ctx, transfer, sender.signer); - console.log("Sent: ", txids); + console.log('Sent: ', txids); // Get the wormhole message id from the transaction const [whm] = await ctx.parseTransaction(txids[txids.length - 1]!.txid); - console.log("Wormhole Messages: ", whm); + console.log('Wormhole Messages: ', whm); // EXAMPLE_WORMHOLE_VAA // Get the VAA from the wormhole message id @@ -69,9 +81,9 @@ import { getSigner } from "./helpers/index.js"; // Wormhole Message ID whm!, // Protocol:Payload name to use for decoding the VAA payload - "TokenBridge:Transfer", + 'TokenBridge:Transfer', // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available - 60_000, + 60_000 ); // EXAMPLE_WORMHOLE_VAA @@ -83,10 +95,10 @@ import { getSigner } from "./helpers/index.js"; // Sign and send the transaction const rcvTxids = await signSendWait(rcv, redeem, receiver.signer); - console.log("Sent: ", rcvTxids); + console.log('Sent: ', rcvTxids); // Now check if the transfer is completed according to // the destination token bridge const finished = await rcvTb.isTransferCompleted(vaa!); - console.log("Transfer completed: ", finished); -})(); \ No newline at end of file + console.log('Transfer completed: ', finished); +})(); diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts index b7c4a6203..9c09fff58 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts @@ -1,16 +1,21 @@ -import { Wormhole, canonicalAddress, routes, wormhole } from "@wormhole-foundation/sdk"; +import { + Wormhole, + canonicalAddress, + routes, + wormhole, +} from '@wormhole-foundation/sdk'; -import evm from "@wormhole-foundation/sdk/evm"; -import solana from "@wormhole-foundation/sdk/solana"; -import { getSigner } from "./helpers/index.js"; +import evm from '@wormhole-foundation/sdk/evm'; +import solana from '@wormhole-foundation/sdk/solana'; +import { getSigner } from './helpers/index.js'; (async function () { // Setup - const wh = await wormhole("Testnet", [evm, solana]); + const wh = await wormhole('Testnet', [evm, solana]); // Get chain contexts - const sendChain = wh.getChain("Avalanche"); - const destChain = wh.getChain("Solana"); + const sendChain = wh.getChain('Avalanche'); + const destChain = wh.getChain('Solana'); // get signers from local config const sender = await getSigner(sendChain); @@ -31,19 +36,23 @@ import { getSigner } from "./helpers/index.js"; // what tokens are available on the source chain? const srcTokens = await resolver.supportedSourceTokens(sendChain); console.log( - "Allowed source tokens: ", - srcTokens.map((t) => canonicalAddress(t)), + 'Allowed source tokens: ', + srcTokens.map((t) => canonicalAddress(t)) ); // Grab the first one for the example // const sendToken = srcTokens[0]!; - const sendToken = Wormhole.tokenId(sendChain.chain, "native"); + const sendToken = Wormhole.tokenId(sendChain.chain, 'native'); // given the send token, what can we possibly get on the destination chain? - const destTokens = await resolver.supportedDestinationTokens(sendToken, sendChain, destChain); + const destTokens = await resolver.supportedDestinationTokens( + sendToken, + sendChain, + destChain + ); console.log( - "For the given source token and routes configured, the following tokens may be receivable: ", - destTokens.map((t) => canonicalAddress(t)), + 'For the given source token and routes configured, the following tokens may be receivable: ', + destTokens.map((t) => canonicalAddress(t)) ); //grab the first one for the example const destinationToken = destTokens[0]!; @@ -59,18 +68,24 @@ import { getSigner } from "./helpers/index.js"; // resolve the transfer request to a set of routes that can perform it const foundRoutes = await resolver.findRoutes(tr); - console.log("For the transfer parameters, we found these routes: ", foundRoutes); + console.log( + 'For the transfer parameters, we found these routes: ', + foundRoutes + ); // EXAMPLE_REQUEST_CREATE // Sort the routes given some input (not required for mvp) // const bestRoute = (await resolver.sortRoutes(foundRoutes, "cost"))[0]!; const bestRoute = foundRoutes[0]!; - console.log("Selected: ", bestRoute); + console.log('Selected: ', bestRoute); // EXAMPLE_REQUEST_VALIDATE - console.log("This route offers the following default options", bestRoute.getDefaultOptions()); + console.log( + 'This route offers the following default options', + bestRoute.getDefaultOptions() + ); // Specify the amount as a decimal string - const amt = "0.001"; + const amt = '0.001'; // Create the transfer params for this request const transferParams = { amount: amt, options: { nativeGas: 0 } }; @@ -79,13 +94,13 @@ import { getSigner } from "./helpers/index.js"; // this new var must be passed to the next step, quote const validated = await bestRoute.validate(tr, transferParams); if (!validated.valid) throw validated.error; - console.log("Validated parameters: ", validated.params); + console.log('Validated parameters: ', validated.params); // get a quote for the transfer, this too returns a new type that must // be passed to the next step, execute (if you like the quote) const quote = await bestRoute.quote(tr, validated.params); if (!quote.success) throw quote.error; - console.log("Best route quote: ", quote); + console.log('Best route quote: ', quote); // EXAMPLE_REQUEST_VALIDATE // If you're sure you want to do this, set this to true @@ -94,14 +109,19 @@ import { getSigner } from "./helpers/index.js"; // EXAMPLE_REQUEST_INITIATE // Now the transfer may be initiated // A receipt will be returned, guess what you gotta do with that? - const receipt = await bestRoute.initiate(tr, sender.signer, quote, receiver.address); - console.log("Initiated transfer with receipt: ", receipt); + const receipt = await bestRoute.initiate( + tr, + sender.signer, + quote, + receiver.address + ); + console.log('Initiated transfer with receipt: ', receipt); // EXAMPLE_REQUEST_INITIATE // Kick off a wait log, if there is an opportunity to complete, this function will do it // see the implementation for how this works await routes.checkAndCompleteTransfer(bestRoute, receipt, receiver.signer); } else { - console.log("Not initiating transfer (set `imSure` to true to do so)"); + console.log('Not initiating transfer (set `imSure` to true to do so)'); } -})(); \ No newline at end of file +})(); diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts index cc40c4619..4dad02756 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts @@ -7,25 +7,25 @@ import { amount, isTokenId, wormhole, -} from "@wormhole-foundation/sdk"; +} from '@wormhole-foundation/sdk'; // Import the platform-specific packages -import evm from "@wormhole-foundation/sdk/evm"; -import solana from "@wormhole-foundation/sdk/solana"; -import { SignerStuff, getSigner, waitLog } from "./helpers/index.js"; +import evm from '@wormhole-foundation/sdk/evm'; +import solana from '@wormhole-foundation/sdk/solana'; +import { SignerStuff, getSigner, waitLog } from './helpers/index.js'; (async function () { // Init Wormhole object, passing config for which network // to use (e.g. Mainnet/Testnet) and what Platforms to support - const wh = await wormhole("Testnet", [evm, solana]); + const wh = await wormhole('Testnet', [evm, solana]); // Grab chain Contexts -- these hold a reference to a cached rpc client - const sendChain = wh.getChain("Avalanche"); - const rcvChain = wh.getChain("Solana"); + const sendChain = wh.getChain('Avalanche'); + const rcvChain = wh.getChain('Solana'); // Shortcut to allow transferring native gas token - const token = Wormhole.tokenId(sendChain.chain, "native"); + const token = Wormhole.tokenId(sendChain.chain, 'native'); // A TokenId is just a `{chain, address}` pair and an alias for ChainAddress // The `address` field must be a parsed address. @@ -41,7 +41,7 @@ import { SignerStuff, getSigner, waitLog } from "./helpers/index.js"; // Note: The Token bridge will dedust past 8 decimals // this means any amount specified past that point will be returned // to the caller - const amt = "0.05"; + const amt = '0.05'; // With automatic set to true, perform an automatic transfer. This will invoke a relayer // contract intermediary that knows to pick up the transfers @@ -54,7 +54,7 @@ import { SignerStuff, getSigner, waitLog } from "./helpers/index.js"; // The automatic relayer has the ability to deliver some native gas funds to the destination account // The amount specified for native gas will be swapped for the native gas token according // to the swap rate provided by the contract, denominated in native gas tokens - const nativeGas = automatic ? "0.01" : undefined; + const nativeGas = automatic ? '0.01' : undefined; // Get signer from local key but anything that implements // Signer interface (e.g. wrapper around web wallet) should work @@ -86,10 +86,12 @@ import { SignerStuff, getSigner, waitLog } from "./helpers/index.js"; destination, delivery: { automatic, - nativeGas: nativeGas ? amount.units(amount.parse(nativeGas, decimals)) : undefined, + nativeGas: nativeGas + ? amount.units(amount.parse(nativeGas, decimals)) + : undefined, }, }, - roundTrip, + roundTrip ) : // Recover the transfer from the originating txid await TokenTransfer.from(wh, { @@ -116,7 +118,7 @@ async function tokenTransfer( }; payload?: Uint8Array; }, - roundTrip?: boolean, + roundTrip?: boolean ): Promise> { // EXAMPLE_TOKEN_TRANSFER // Create a TokenTransfer object to track the state of the transfer over time @@ -127,22 +129,22 @@ async function tokenTransfer( route.destination.address, route.delivery?.automatic ?? false, route.payload, - route.delivery?.nativeGas, + route.delivery?.nativeGas ); const quote = await TokenTransfer.quoteTransfer( wh, route.source.chain, route.destination.chain, - xfer.transfer, + xfer.transfer ); console.log(quote); if (xfer.transfer.automatic && quote.destinationToken.amount < 0) - throw "The amount requested is too low to cover the fee and any native gas requested."; + throw 'The amount requested is too low to cover the fee and any native gas requested.'; // 1) Submit the transactions to the source chain, passing a signer to sign any txns - console.log("Starting transfer"); + console.log('Starting transfer'); const srcTxids = await xfer.initiateTransfer(route.source.signer); console.log(`Started transfer: `, srcTxids); @@ -150,12 +152,12 @@ async function tokenTransfer( if (route.delivery?.automatic) return xfer; // 2) Wait for the VAA to be signed and ready (not required for auto transfer) - console.log("Getting Attestation"); + console.log('Getting Attestation'); const attestIds = await xfer.fetchAttestation(60_000); console.log(`Got Attestation: `, attestIds); // 3) Redeem the VAA on the dest chain - console.log("Completing Transfer"); + console.log('Completing Transfer'); const destTxids = await xfer.completeTransfer(route.destination.signer); console.log(`Completed Transfer: `, destTxids); // EXAMPLE_TOKEN_TRANSFER @@ -171,4 +173,4 @@ async function tokenTransfer( source: route.destination, destination: route.source, }); -} \ No newline at end of file +} diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts index dc6d2d9ac..4298b7020 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts @@ -1,10 +1,5 @@ -// Returns a TokenId const sourceToken: TokenId = Wormhole.tokenId('Ethereum', '0xbeef...'); -// Whereas the ChainAddress is limited to valid addresses, a TokenId may -// have the string literal 'native' to consistently denote the native -// gas token of the chain const gasToken: TokenId = Wormhole.tokenId('Ethereum', 'native'); -// the same method can be used to convert the TokenId back to its canonical string address format const strAddress = Wormhole.canonicalAddress(senderAddress); // => '0xbeef...' \ No newline at end of file diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index e44445cd5..e058019a2 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -26,17 +26,23 @@ This package combines all the individual packages to make setup easier while all Alternatively, you can install a specific set of published packages: -```bash -# constants +- You can install the necessary constants with the `sdk-base` package: +``` npm install @wormhole-foundation/sdk-base +``` -# contract interfaces, basic types, vaa payload definitions +- You can install the contract interfaces, basic types, and VAA payload definitions with the `sdk-definitions` package: +``` npm install @wormhole-foundation/sdk-definitions +``` -# Evm specific utilities +- You can install the EVM-specific utilities with the `sdk-evm` package: +``` npm install @wormhole-foundation/sdk-evm +``` -# Evm TokenBridge protocol client +- You can install the EVM TokenBridge protocol client with the `sdk-evm-tokenbridge` package: +``` npm install @wormhole-foundation/sdk-evm-tokenbridge ``` @@ -61,7 +67,7 @@ With a configured Wormhole object, we can do things like parse addresses for the const ctx = wh.getChain('Solana'); ``` -You can retrieve a VAA as follows: +You can retrieve a VAA as follows. In this example, a timeout of `60,000` milliseconds is used. The amount of time required for the VAA to become available will vary by network. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts' @@ -72,7 +78,6 @@ You can retrieve a VAA as follows: --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' ``` - Optionally, you can override the default configuration with a partial `WormholeConfig` object to specify particular fields, such as a different RPC endpoint. ```ts @@ -116,7 +121,11 @@ Each platform has an address type that understands the native address formats, r ### Tokens {: #tokens} -Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given token. +Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given token. The following snippet introduces `TokenId`, a way to uniquely identify any token, whether it's a standard token or a blockchain's native currency (like ETH for Ethereum). + +For standard tokens, Wormhole uses their contract address to create a `TokenId`. For native currencies, Wormhole uses the keyword `native` instead of an address. This makes it easy to work with any type of token consistently. + +Finally, the snippet also demonstrates how to convert a `TokenId` back into a regular address format when needed. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/tokens.ts' @@ -144,6 +153,23 @@ While Wormhole is a Generic Message Passing (GMP) protocol, several protocols ha The core protocol underlies all Wormhole activity. This protocol is responsible for emitting the message containing the information necessary to perform bridging, including the [Emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter){target=\_blank}, the [Sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence){target=\_blank} for the message, and the Payload of the message itself. +The following example demonstrates sending and verifying a message using the Wormhole Core protocol on Solana. + +First, we initialize a Wormhole instance for the Testnet environment, specifically for the Solana chain. We then obtain a signer and its associated address, which will be used to sign transactions. +Next, we get a reference to the core messaging bridge, which is the main interface for interacting with Wormhole's cross-chain messaging capabilities. +The code then prepares a message for publication. This message includes: + +- The sender's address +- The message payload (in this case, the encoded string "lol") +- A nonce (set to 0 here, but can be any user-defined value to uniquely identify the message) +- A consistency level (set to 0, which determines the finality requirements for the message) + +After preparing the message, the next steps are to generate, sign, and send the transaction(s) required to publish the message on the Solana blockchain. Once the transaction is confirmed, the Wormhole message ID is extracted from the transaction logs. This ID is crucial for tracking the message across chains. + +The code then waits for the Wormhole network to process and sign the message, turning it into a Valid Action Approval (VAA). This VAA is retrieved in a `Uint8Array` format, with a timeout of 60 seconds. + +Lastly, the code will demonstrate how to verify the message on the receiving end. A verification transaction is prepared using the original sender's address and the VAA, and finally this transaction is signed and sent. + ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts' ``` @@ -173,9 +199,11 @@ The `WormholeTransfer` interface provides a convenient abstraction to encapsulat ### Token Transfers {: #token-transfers} -Performing a Token Transfer is trivial for any source and destination chains. +Performing a Token Transfer is trivial for any source and destination chains. We can create a new `Wormhole` object to make objects like `TokenTransfer,` `CircleTransfer,` and `GatewayTransfer,` to transfer tokens between chains. + +The following example demonstrates process of initiating and completing a token transfer. It starts by creating a `TokenTransfer` object, which tracks the transfer's state throughout its lifecycle. The code then obtains a quote for the transfer, ensuring the amount is sufficient to cover fees and any requested native gas. -We can create a new `Wormhole` object to make objects like `TokenTransfer,` `CircleTransfer,` and `GatewayTransfer,` to transfer tokens between chains. The transfer object is responsible for tracking the transfer throughout the process and providing updates on its status. +The transfer process is divided into three main steps: initiating the transfer on the source chain, waiting for the transfer to be attested (if not automatic), and completing the transfer on the destination chain. For automatic transfers, the process ends after initiation. For manual transfers, the code waits for the transfer to be attested and then completes it on the destination chain. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts' @@ -190,7 +218,13 @@ Internally, this uses the [TokenBridge](#token-bridge) protocol client to transf ### Native USDC Transfers {: #native-usdc-transfers} -We can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en/cross-chain-transfer-protocol){target=\_blank}. Please note that if the transfer is set to Automatic mode, a fee for performing the relay will be included in the quote. This fee is deducted from the total amount requested to be sent. For example, if the user wishes to receive `1.0` on the destination, the amount sent should be adjusted to `1.0` plus the relay fee. The same principle applies to native gas dropoffs +You can also transfer native USDC using [Circle's CCTP](https://www.circle.com/en/cross-chain-transfer-protocol){target=\_blank}. Please note that if the transfer is set to `Automatic` mode, a fee for performing the relay will be included in the quote. This fee is deducted from the total amount requested to be sent. For example, if the user wishes to receive `1.0` on the destination, the amount sent should be adjusted to `1.0` plus the relay fee. The same principle applies to native gas dropoffs. + +In the following example, the `wh.circleTransfer` function is called with several parameters to set up the transfer. It takes the amount to be transferred (in the token's base units), the sender's chain and address, and the receiver's chain and address. The function also allows specifying whether the transfer should be automatic, meaning it will be completed without further user intervention. + +An optional payload can be included with the transfer, though in this case it's set to undefined. Finally, if the transfer is automatic, you can request that native gas (the blockchain's native currency used for transaction fees) be sent to the receiver along with the transferred tokens. + +When waiting for the `VAA`, a timeout of `60,000` milliseconds is used. The amount of time required for the VAA to become available will [vary by network](https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet){target=\_blank}. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts' @@ -209,22 +243,12 @@ Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chai --8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts' ``` -??? code "View the complete script" - ```ts hl_lines="120" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cosmos.ts' - ``` - A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts' ``` -??? code "View the complete script" - ```ts hl_lines="152" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cosmos.ts' - ``` - A transfer leaving Cosmos will produce a VAA from the Gateway that must be manually redeemed on the destination chain. ```ts @@ -255,50 +279,35 @@ While a specific `WormholeTransfer` may be used (TokenTransfer, CCTPTransfer, et To provide a more flexible and generic interface, the `Wormhole` class provides a method to produce a `RouteResolver` that can be configured with a set of possible routes to be supported. +The following section demonstrates the process of setting up and validating a token transfer using Wormhole's routing system. + ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts' ``` -??? code "View the complete script" - ```ts hl_lines="30" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' - ``` - Once created, the resolver can be used to provide a list of input and possible output tokens. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts' ``` -??? code "View the complete script" - ```ts hl_lines="41" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' - ``` - -Once the tokens are selected, a `RouteTransferRequest` may be created to provide a list of routes that can fulfill the request. +Once the tokens are selected, a `RouteTransferRequest` may be created to provide a list of routes that can fulfill the request. Creating a transfer request fetches the token details since all routes will need to know about the tokens. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts' ``` -??? code "View the complete script" - ```ts hl_lines="63" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' - ``` - Choosing the best route is currently left to the developer, but strategies might include sorting by output amount or expected time to complete the transfer (no estimate is currently provided). -After choosing the best route, extra parameters like `amount`, `nativeGasDropoff`, and `slippage` can be passed, depending on the specific route selected and a quote can be retrieved with the validated request. +After choosing the best route, extra parameters like `amount`, `nativeGasDropoff`, and `slippage` can be passed, depending on the specific route selected and a quote can be retrieved with the validated request. + +After successful validation, the code requests a transfer quote. This quote likely includes important details such as fees, estimated time, and the final amount to be received. If the quote is generated successfully, it's displayed for the user to review and decide whether to proceed with the transfer. This process ensures that all transfer details are properly set up and verified before any actual transfer takes place. + ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts' ``` -??? code "View the complete script" - ```ts hl_lines="83" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' - ``` - Finally, assuming the quote looks good, the route can initiate the request with the quote and the `signer`. ```ts @@ -306,7 +315,7 @@ Finally, assuming the quote looks good, the route can initiate the request with ``` ??? code "View the complete script" - ```ts hl_lines="107" + ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' ``` From 06d7ab92fc40da4fd33b110d921bf1c50d58369b Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Thu, 8 Aug 2024 16:06:26 -0700 Subject: [PATCH 19/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index e058019a2..b47d0d159 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -243,7 +243,7 @@ Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chai --8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts' ``` -A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain +A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts' From c8b61f17dac039a1cfdb728b811771d8a6c2fcf0 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Thu, 8 Aug 2024 16:06:37 -0700 Subject: [PATCH 20/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index b47d0d159..c5c33747f 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -237,7 +237,7 @@ When waiting for the `VAA`, a timeout of `60,000` milliseconds is used. The amou ### Gateway Transfers {: #gateway-transfers} -Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. A transfer into Cosmos from outside cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain) +Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. A transfer into Cosmos from outside Cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain). ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts' From 1aab2003dd909f198e5a7dd8a700916a716879a9 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Thu, 8 Aug 2024 16:06:53 -0700 Subject: [PATCH 21/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index c5c33747f..eec6904e0 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -203,7 +203,13 @@ Performing a Token Transfer is trivial for any source and destination chains. We The following example demonstrates process of initiating and completing a token transfer. It starts by creating a `TokenTransfer` object, which tracks the transfer's state throughout its lifecycle. The code then obtains a quote for the transfer, ensuring the amount is sufficient to cover fees and any requested native gas. -The transfer process is divided into three main steps: initiating the transfer on the source chain, waiting for the transfer to be attested (if not automatic), and completing the transfer on the destination chain. For automatic transfers, the process ends after initiation. For manual transfers, the code waits for the transfer to be attested and then completes it on the destination chain. +The transfer process is divided into three main steps: + +1. Initiating the transfer on the source chain +2. Waiting for the transfer to be attested (if not automatic) +3. Completing the transfer on the destination chain + +For automatic transfers, the process ends after initiation. For manual transfers, the code waits for the transfer to be attested and then completes it on the destination chain. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts' From 9c8572698170b0fea7bd3d56baeb69cfcdf20738 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Thu, 8 Aug 2024 16:08:02 -0700 Subject: [PATCH 22/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Dawn Kelly <83190195+dawnkelly09@users.noreply.github.com> --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index eec6904e0..4af6e984d 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -199,7 +199,7 @@ The `WormholeTransfer` interface provides a convenient abstraction to encapsulat ### Token Transfers {: #token-transfers} -Performing a Token Transfer is trivial for any source and destination chains. We can create a new `Wormhole` object to make objects like `TokenTransfer,` `CircleTransfer,` and `GatewayTransfer,` to transfer tokens between chains. +Performing a Token Transfer is trivial for any source and destination chains. You can create a new `Wormhole` object to make objects like `TokenTransfer,` `CircleTransfer,` and `GatewayTransfer,` to transfer tokens between chains. The following example demonstrates process of initiating and completing a token transfer. It starts by creating a `TokenTransfer` object, which tracks the transfer's state throughout its lifecycle. The code then obtains a quote for the transfer, ensuring the amount is sufficient to cover fees and any requested native gas. From 3e02832bd4a6e53082f5c403fb3533fef11a4fc9 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Thu, 8 Aug 2024 16:21:03 -0700 Subject: [PATCH 23/73] import eco --- .../wormhole-sdk/import-platforms.ts | 6 ++++++ build/build-multichain-applications/wormhole-sdk.md | 7 +++++++ 2 files changed, 13 insertions(+) create mode 100644 .snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts new file mode 100644 index 000000000..2d375faa0 --- /dev/null +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts @@ -0,0 +1,6 @@ +import algorand from "@wormhole-foundation/sdk/algorand"; +import aptos from "@wormhole-foundation/sdk/aptos"; +import cosmwasm from "@wormhole-foundation/sdk/cosmwasm"; +import evm from "@wormhole-foundation/sdk/evm"; +import solana from "@wormhole-foundation/sdk/solana"; +import sui from "@wormhole-foundation/sdk/sui"; \ No newline at end of file diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index e058019a2..9c6705288 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -54,6 +54,13 @@ Getting started is simple; just import Wormhole and the [Platform](#platforms) m import { wormhole } from '@wormhole-foundation/sdk'; ``` +Don't forget to import each of the ecosystem platforms that you wish to support: + +```ts +--8<-- 'code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts' +``` + + Then, pass the [Platform](#platforms) modules to the Wormhole constructor to make them available for use: ```ts From 89a419a765978476b70dd4955d798752a9e40a97 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Thu, 8 Aug 2024 16:21:39 -0700 Subject: [PATCH 24/73] run prettier --- .../wormhole-sdk/import-platforms.ts | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts index 2d375faa0..6017ee42e 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts @@ -1,6 +1,6 @@ -import algorand from "@wormhole-foundation/sdk/algorand"; -import aptos from "@wormhole-foundation/sdk/aptos"; -import cosmwasm from "@wormhole-foundation/sdk/cosmwasm"; -import evm from "@wormhole-foundation/sdk/evm"; -import solana from "@wormhole-foundation/sdk/solana"; -import sui from "@wormhole-foundation/sdk/sui"; \ No newline at end of file +import algorand from '@wormhole-foundation/sdk/algorand'; +import aptos from '@wormhole-foundation/sdk/aptos'; +import cosmwasm from '@wormhole-foundation/sdk/cosmwasm'; +import evm from '@wormhole-foundation/sdk/evm'; +import solana from '@wormhole-foundation/sdk/solana'; +import sui from '@wormhole-foundation/sdk/sui'; From fefa23be366adf602d24376ede2a4acd63f8cf70 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:11:04 -0700 Subject: [PATCH 25/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 1bf110cd1..35bff5372 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -60,7 +60,6 @@ Don't forget to import each of the ecosystem platforms that you wish to support: --8<-- 'code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts' ``` - Then, pass the [Platform](#platforms) modules to the Wormhole constructor to make them available for use: ```ts @@ -106,6 +105,16 @@ Every chain is unique, but many share similar functionality. The `Platform` modu Each platform can be installed separately so that dependencies can stay as slim as possible. +Wormhole currently supports the following platforms: + +- EVM +- Solana +- Cosmwasm +- Sui +- Aptos + +See the [Platforms folder of the Typescript SDK](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/platforms){target=\_blank} for an up-to-date list of the platforms supported by the Wormhole Typescript SDK. + ### Chain Context {: #chain-context} The `Wormhole` class provides a `getChain` method that returns a `ChainContext` object for a given chain. This object provides access to the chain specific methods and utilities. Much of the functionality in the `ChainContext` is provided by the `Platform` methods but the specific chain may have overridden methods. From 991f5fa707ec9ed950f9d89233a2e86aab4dfb34 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:12:02 -0700 Subject: [PATCH 26/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 35bff5372..d534ff439 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -48,7 +48,7 @@ npm install @wormhole-foundation/sdk-evm-tokenbridge ## Usage {: #usage} -Getting started is simple; just import Wormhole and the [Platform](#platforms) modules you wish to support: +Getting started is simple; just import Wormhole: ```ts import { wormhole } from '@wormhole-foundation/sdk'; From 172c19b326b729d2c2cf0fdbb283fc5412eb3191 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:12:22 -0700 Subject: [PATCH 27/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index d534ff439..42fb14939 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -59,8 +59,7 @@ Don't forget to import each of the ecosystem platforms that you wish to support: ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts' ``` - -Then, pass the [Platform](#platforms) modules to the Wormhole constructor to make them available for use: +To make the [platform](#platforms) modules available for use, pass them to the Wormhole constructor: ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts' From ba6a0513bd2e73aa1e6e4eca5d042b2cf9107dba Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:12:32 -0700 Subject: [PATCH 28/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 42fb14939..60e85790b 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -65,7 +65,7 @@ To make the [platform](#platforms) modules available for use, pass them to the W --8<-- 'code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts' ``` -With a configured Wormhole object, we can do things like parse addresses for the platforms we passed, get a [ChainContext](#chain-context) object, or fetch VAAs. +With a configured Wormhole object, you can do things like parse addresses for the provided platforms, get a [`ChainContext`](#chain-context) object, or fetch VAAs. ```ts // Grab a ChainContext object from our configured Wormhole instance From fb2d56180e758e109dcf21389d5c25782cccb1d9 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:19:07 -0700 Subject: [PATCH 29/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 60e85790b..e2f4ebded 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -54,7 +54,7 @@ Getting started is simple; just import Wormhole: import { wormhole } from '@wormhole-foundation/sdk'; ``` -Don't forget to import each of the ecosystem platforms that you wish to support: +Then, import each of the ecosystem [platforms](#platforms) that you wish to support: ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts' From c04698051f4141156060794ca893cc2f30d5f65d Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:19:30 -0700 Subject: [PATCH 30/73] Update .snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts Co-authored-by: Erin Shaben --- .../build/build-multichain-applications/wormhole-sdk/get-vaa.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts index 40e9564e4..3ccd32bda 100644 --- a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts +++ b/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts @@ -71,7 +71,7 @@ import { getSigner } from './helpers/index.js'; const txids = await signSendWait(ctx, transfer, sender.signer); console.log('Sent: ', txids); - // Get the wormhole message id from the transaction + // Get the Wormhole message ID from the transaction const [whm] = await ctx.parseTransaction(txids[txids.length - 1]!.txid); console.log('Wormhole Messages: ', whm); From 49cd0d25621c8d8d5b1bdb3851a3b8b6c7610d90 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:19:36 -0700 Subject: [PATCH 31/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index e2f4ebded..dc003a522 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -344,4 +344,4 @@ Note: See the `router.ts` example in the [examples directory](https://github.com ## See also {: #see-also} -The tsdoc is available [on Github](https://wormhole-foundation.github.io/wormhole-sdk-ts/){target=\_blank}. \ No newline at end of file +The tsdoc is available [on GitHub](https://wormhole-foundation.github.io/wormhole-sdk-ts/){target=\_blank}. \ No newline at end of file From 844f2f76973d671a9d9921ee422a8f86740cd852 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:19:41 -0700 Subject: [PATCH 32/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index dc003a522..a08f9b90b 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -342,6 +342,6 @@ Finally, assuming the quote looks good, the route can initiate the request with Note: See the `router.ts` example in the [examples directory](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/examples){target=\_blank} for a full working example. -## See also {: #see-also} +## See Also {: #see-also} The tsdoc is available [on GitHub](https://wormhole-foundation.github.io/wormhole-sdk-ts/){target=\_blank}. \ No newline at end of file From 20eb5e3b63477ec7832aaa58d2d77580fe401954 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:19:52 -0700 Subject: [PATCH 33/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index a08f9b90b..1e55c94f5 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -340,7 +340,7 @@ Finally, assuming the quote looks good, the route can initiate the request with --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' ``` -Note: See the `router.ts` example in the [examples directory](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/examples){target=\_blank} for a full working example. +See the `router.ts` example in the [examples directory](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/examples){target=\_blank} for a full working example. ## See Also {: #see-also} From 3b030b7b6ef22a57c540d9909496f2a28f194bc6 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:20:28 -0700 Subject: [PATCH 34/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 1e55c94f5..2a617c548 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -136,7 +136,7 @@ Each platform has an address type that understands the native address formats, r ### Tokens {: #tokens} -Similar to the `ChainAddress` type, the `TokenId` type provides the Chain and Address of a given token. The following snippet introduces `TokenId`, a way to uniquely identify any token, whether it's a standard token or a blockchain's native currency (like ETH for Ethereum). +Similar to the `ChainAddress` type, the `TokenId` type provides the chain and address of a given token. The following snippet introduces `TokenId`, a way to uniquely identify any token, whether it's a standard token or a blockchain's native currency (like ETH for Ethereum). For standard tokens, Wormhole uses their contract address to create a `TokenId`. For native currencies, Wormhole uses the keyword `native` instead of an address. This makes it easy to work with any type of token consistently. From 0236cc5a2c610e5bc214947b81f9d3ef0ca3d5e7 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:23:23 -0700 Subject: [PATCH 35/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index e2f4ebded..27c480a9a 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -181,7 +181,7 @@ The code then prepares a message for publication. This message includes: After preparing the message, the next steps are to generate, sign, and send the transaction(s) required to publish the message on the Solana blockchain. Once the transaction is confirmed, the Wormhole message ID is extracted from the transaction logs. This ID is crucial for tracking the message across chains. -The code then waits for the Wormhole network to process and sign the message, turning it into a Valid Action Approval (VAA). This VAA is retrieved in a `Uint8Array` format, with a timeout of 60 seconds. +The code then waits for the Wormhole network to process and sign the message, turning it into a Verified Action Approval (VAA). This VAA is retrieved in a `Uint8Array` format, with a timeout of 60 seconds. Lastly, the code will demonstrate how to verify the message on the receiving end. A verification transaction is prepared using the original sender's address and the VAA, and finally this transaction is signed and sent. From dc2f5ee0808c35478969e1139eeabca1b91c88cc Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:24:12 -0700 Subject: [PATCH 36/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index eddcdc04a..4735a3b3b 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -194,7 +194,7 @@ Lastly, the code will demonstrate how to verify the message on the receiving end --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts' ``` -The payload contains the information necessary to perform whatever action is required based on the Protocol that uses it. +The payload contains the information necessary to perform whatever action is required based on the protocol that uses it. #### Token Bridge {: #token-bridge} From 17ddf5b1808731d790b0a8a1c6e0a84c556de738 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:25:01 -0700 Subject: [PATCH 37/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 4735a3b3b..dd9136aea 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -176,8 +176,8 @@ The code then prepares a message for publication. This message includes: - The sender's address - The message payload (in this case, the encoded string "lol") -- A nonce (set to 0 here, but can be any user-defined value to uniquely identify the message) -- A consistency level (set to 0, which determines the finality requirements for the message) +- A nonce (set to `0` here, but can be any user-defined value to uniquely identify the message) +- A consistency level (set to `0`, which determines the finality requirements for the message) After preparing the message, the next steps are to generate, sign, and send the transaction(s) required to publish the message on the Solana blockchain. Once the transaction is confirmed, the Wormhole message ID is extracted from the transaction logs. This ID is crucial for tracking the message across chains. From 12f3ed2812fc37f5bb5b7ef7b45e0b7a90f6abe7 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:25:45 -0700 Subject: [PATCH 38/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index dd9136aea..423f6b690 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -166,7 +166,7 @@ While Wormhole is a Generic Message Passing (GMP) protocol, several protocols ha #### Wormhole Core {: #wormhole-core} -The core protocol underlies all Wormhole activity. This protocol is responsible for emitting the message containing the information necessary to perform bridging, including the [Emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter){target=\_blank}, the [Sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence){target=\_blank} for the message, and the Payload of the message itself. +The core protocol underlies all Wormhole activity. This protocol is responsible for emitting the message containing the information necessary to perform bridging, including the [emitter address](https://docs.wormhole.com/wormhole/reference/glossary#emitter){target=\_blank}, the [sequence number](https://docs.wormhole.com/wormhole/reference/glossary#sequence){target=\_blank} for the message, and the payload of the message itself. The following example demonstrates sending and verifying a message using the Wormhole Core protocol on Solana. From 13452e0e56418c7519d9d4475b2ac64f16534fff Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:26:15 -0700 Subject: [PATCH 39/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 423f6b690..c2c6cf7ed 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -208,7 +208,7 @@ Supported protocols are defined in the [definitions module](https://github.com/w ## Transfers {: #transfers} -While using the [ChainContext](#chain-context) and [Protocol](#protocols) clients directly is possible, the SDK provides some helpful abstractions for doing things like transferring tokens. +While using the [`ChainContext`](#chain-context) and [`Protocol`](#protocols) clients directly is possible, the SDK provides some helpful abstractions for doing things like transferring tokens. The `WormholeTransfer` interface provides a convenient abstraction to encapsulate the steps involved in a cross-chain transfer. From eadd6652e48f071b944c545ee4f1b2c2577a2949 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:26:41 -0700 Subject: [PATCH 40/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index c2c6cf7ed..c5b27fc27 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -214,7 +214,7 @@ The `WormholeTransfer` interface provides a convenient abstraction to encapsulat ### Token Transfers {: #token-transfers} -Performing a Token Transfer is trivial for any source and destination chains. You can create a new `Wormhole` object to make objects like `TokenTransfer,` `CircleTransfer,` and `GatewayTransfer,` to transfer tokens between chains. +Performing a token transfer is trivial for any source and destination chains. You can create a new `Wormhole` object to make objects like `TokenTransfer,` `CircleTransfer,` and `GatewayTransfer,` to transfer tokens between chains. The following example demonstrates process of initiating and completing a token transfer. It starts by creating a `TokenTransfer` object, which tracks the transfer's state throughout its lifecycle. The code then obtains a quote for the transfer, ensuring the amount is sufficient to cover fees and any requested native gas. From bb1eb4d1f0d60a84045bba8b90db4d04c6ed0973 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:27:16 -0700 Subject: [PATCH 41/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index c5b27fc27..f018f6a8c 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -214,7 +214,7 @@ The `WormholeTransfer` interface provides a convenient abstraction to encapsulat ### Token Transfers {: #token-transfers} -Performing a token transfer is trivial for any source and destination chains. You can create a new `Wormhole` object to make objects like `TokenTransfer,` `CircleTransfer,` and `GatewayTransfer,` to transfer tokens between chains. +Performing a token transfer is trivial for any source and destination chains. You can create a new `Wormhole` object to make objects like `TokenTransfer`, `CircleTransfer`, and `GatewayTransfer`, to transfer tokens between chains. The following example demonstrates process of initiating and completing a token transfer. It starts by creating a `TokenTransfer` object, which tracks the transfer's state throughout its lifecycle. The code then obtains a quote for the transfer, ensuring the amount is sufficient to cover fees and any requested native gas. From ac5b8ab8c6f2ce8803dc1d4208d33bf06ac90699 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:27:46 -0700 Subject: [PATCH 42/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index f018f6a8c..6f5ca0fc7 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -216,7 +216,7 @@ The `WormholeTransfer` interface provides a convenient abstraction to encapsulat Performing a token transfer is trivial for any source and destination chains. You can create a new `Wormhole` object to make objects like `TokenTransfer`, `CircleTransfer`, and `GatewayTransfer`, to transfer tokens between chains. -The following example demonstrates process of initiating and completing a token transfer. It starts by creating a `TokenTransfer` object, which tracks the transfer's state throughout its lifecycle. The code then obtains a quote for the transfer, ensuring the amount is sufficient to cover fees and any requested native gas. +The following example demonstrates the process of initiating and completing a token transfer. It starts by creating a `TokenTransfer` object, which tracks the transfer's state throughout its lifecycle. The code then obtains a quote for the transfer, ensuring the amount is sufficient to cover fees and any requested native gas. The transfer process is divided into three main steps: From be232ca8b23cf4342caef0e0bb8edafbcabc75dd Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:28:45 -0700 Subject: [PATCH 43/73] rev --- build/build-multichain-applications/wormhole-sdk.md | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 6f5ca0fc7..66aea0e61 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -283,7 +283,7 @@ A transfer leaving Cosmos will produce a VAA from the Gateway that must be manua ### Recovering Transfers {: #recovering-transfers} -It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the Transfer class with the `from` static method and pass one of several types of identifiers. A `TransactionId` or `WormholeMessageId` may be used to recover the transfer. +It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the `Transfer` class with the `from` static method and pass one of several types of identifiers. A `TransactionId` or `WormholeMessageId` may be used to recover the transfer. ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts' @@ -296,7 +296,7 @@ It may be necessary to recover an abandoned transfer before being completed. To ## Routes {: #routes} -While a specific `WormholeTransfer` may be used (TokenTransfer, CCTPTransfer, etc.), the developer must know exactly which transfer type to use for a given request. +While a specific `WormholeTransfer` may be used (`TokenTransfer`, `CCTPTransfer`, etc.), the developer must know exactly which transfer type to use for a given request. To provide a more flexible and generic interface, the `Wormhole` class provides a method to produce a `RouteResolver` that can be configured with a set of possible routes to be supported. @@ -324,7 +324,6 @@ After choosing the best route, extra parameters like `amount`, `nativeGasDropoff After successful validation, the code requests a transfer quote. This quote likely includes important details such as fees, estimated time, and the final amount to be received. If the quote is generated successfully, it's displayed for the user to review and decide whether to proceed with the transfer. This process ensures that all transfer details are properly set up and verified before any actual transfer takes place. - ```ts --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts' ``` From 99c76dc37e4b7e59a83a400f93e53b69dc6fded2 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:29:17 -0700 Subject: [PATCH 44/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index 66aea0e61..c9e577abf 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -158,7 +158,7 @@ Conversely, a `SignAndSendSigner` is appropriate when the signer is connected to --8<-- 'code/build/build-multichain-applications/wormhole-sdk/signers.ts' ``` -See the testing signers ([Evm](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts){target=\_blank}, [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts){target=\_blank}, ...) for an example of how to implement a signer for a specific chain or platform. +See the testing signers (e.g., [EVM](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts){target=\_blank} or [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts){target=\_blank}) for an example of how to implement a signer for a specific chain or platform. ### Protocols {: #protocols} From baf4b3a0324d50092d8c3d90b45538958bc3b3bd Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:29:33 -0700 Subject: [PATCH 45/73] Update build/build-multichain-applications/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-multichain-applications/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-multichain-applications/wormhole-sdk.md index c9e577abf..88c9a77c2 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-multichain-applications/wormhole-sdk.md @@ -148,7 +148,7 @@ Finally, the snippet also demonstrates how to convert a `TokenId` back into a re ### Signers {: #signers} -In the SDK, a Signer interface is required for certain methods to sign transactions. This interface can be fulfilled by either a `SignOnlySigner` or a `SignAndSendSigner`, depending on the specific requirements. A Signer can be created by wrapping an existing offline wallet or a web wallet. +In the SDK, a `Signer` interface is required for certain methods to sign transactions. This interface can be fulfilled by either a `SignOnlySigner` or a `SignAndSendSigner`, depending on the specific requirements. A signer can be created by wrapping an existing offline wallet or a web wallet. A `SignOnlySigner` is used in scenarios where the signer is not connected to the network or prefers not to broadcast transactions themselves. It accepts an array of unsigned transactions and returns an array of signed and serialized transactions. Before signing, the transactions may be inspected or altered. It's important to note that the serialization process is chain-specific; for guidance, refer to the linked example implementations. From 38247e0890e6eb9b226dc724399f9c66492d5ab9 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:33:17 -0700 Subject: [PATCH 46/73] rev --- .../wormhole-sdk/addresses.ts | 0 .../wormhole-sdk/cctp-example-snippet.ts | 0 .../wormhole-sdk/cctp.ts | 0 .../wormhole-sdk/config-override.ts | 0 .../wormhole-sdk/config.ts | 0 .../wormhole-sdk/core-bridge.ts | 0 .../wormhole-sdk/cosmos.ts | 0 .../wormhole-sdk/example-core-bridge.ts | 0 .../wormhole-sdk/example-request-create.ts | 0 .../wormhole-sdk/example-request-initiate.ts | 0 .../wormhole-sdk/example-request-validate.ts | 0 .../example-resolver-list-tokens.ts | 0 .../wormhole-sdk/example-token-transfer.ts | 0 .../wormhole-sdk/gateway-inbound-example.ts | 0 .../gateway-intercosmos-example.ts | 0 .../wormhole-sdk/gateway-outbound-example.ts | 0 .../wormhole-sdk/get-chain.ts | 0 .../wormhole-sdk/get-vaa-snippet.ts | 0 .../wormhole-sdk/get-vaa.ts | 0 .../wormhole-sdk/import-platforms.ts | 0 .../wormhole-sdk/recover-transfer-example.ts | 0 .../wormhole-sdk/resolver-create-example.ts | 0 .../wormhole-sdk/router.ts | 0 .../wormhole-sdk/signers.ts | 0 .../wormhole-sdk/token-bridge-snippet.ts | 0 .../wormhole-sdk/token-bridge.ts | 0 .../wormhole-sdk/tokens.ts | 0 .../wormhole-sdk/wormhole-init.ts | 0 build/.pages | 2 +- .../.pages | 0 .../index.md | 0 .../wormhole-sdk.md | 58 +++++++++---------- 32 files changed, 30 insertions(+), 30 deletions(-) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/addresses.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/cctp-example-snippet.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/cctp.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/config-override.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/config.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/core-bridge.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/cosmos.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/example-core-bridge.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/example-request-create.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/example-request-initiate.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/example-request-validate.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/example-resolver-list-tokens.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/example-token-transfer.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/gateway-inbound-example.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/gateway-intercosmos-example.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/gateway-outbound-example.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/get-chain.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/get-vaa-snippet.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/get-vaa.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/import-platforms.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/recover-transfer-example.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/resolver-create-example.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/router.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/signers.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/token-bridge-snippet.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/token-bridge.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/tokens.ts (100%) rename .snippets/code/build/{build-multichain-applications => build-apps}/wormhole-sdk/wormhole-init.ts (100%) rename build/{build-multichain-applications => build-apps}/.pages (100%) rename build/{build-multichain-applications => build-apps}/index.md (100%) rename build/{build-multichain-applications => build-apps}/wormhole-sdk.md (87%) diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts b/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/addresses.ts rename to .snippets/code/build/build-apps/wormhole-sdk/addresses.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts b/.snippets/code/build/build-apps/wormhole-sdk/cctp-example-snippet.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts rename to .snippets/code/build/build-apps/wormhole-sdk/cctp-example-snippet.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/cctp.ts rename to .snippets/code/build/build-apps/wormhole-sdk/cctp.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts b/.snippets/code/build/build-apps/wormhole-sdk/config-override.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/config-override.ts rename to .snippets/code/build/build-apps/wormhole-sdk/config-override.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts b/.snippets/code/build/build-apps/wormhole-sdk/config.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/config.ts rename to .snippets/code/build/build-apps/wormhole-sdk/config.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/core-bridge.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts rename to .snippets/code/build/build-apps/wormhole-sdk/core-bridge.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts b/.snippets/code/build/build-apps/wormhole-sdk/cosmos.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/cosmos.ts rename to .snippets/code/build/build-apps/wormhole-sdk/cosmos.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts rename to .snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts rename to .snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts rename to .snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts rename to .snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-resolver-list-tokens.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts rename to .snippets/code/build/build-apps/wormhole-sdk/example-resolver-list-tokens.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-token-transfer.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts rename to .snippets/code/build/build-apps/wormhole-sdk/example-token-transfer.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/gateway-inbound-example.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts rename to .snippets/code/build/build-apps/wormhole-sdk/gateway-inbound-example.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/gateway-intercosmos-example.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts rename to .snippets/code/build/build-apps/wormhole-sdk/gateway-intercosmos-example.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-outbound-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/gateway-outbound-example.ts rename to .snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts b/.snippets/code/build/build-apps/wormhole-sdk/get-chain.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/get-chain.ts rename to .snippets/code/build/build-apps/wormhole-sdk/get-chain.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa-snippet.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts rename to .snippets/code/build/build-apps/wormhole-sdk/get-vaa-snippet.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts rename to .snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts b/.snippets/code/build/build-apps/wormhole-sdk/import-platforms.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts rename to .snippets/code/build/build-apps/wormhole-sdk/import-platforms.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/recover-transfer-example.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts rename to .snippets/code/build/build-apps/wormhole-sdk/recover-transfer-example.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts rename to .snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts b/.snippets/code/build/build-apps/wormhole-sdk/router.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/router.ts rename to .snippets/code/build/build-apps/wormhole-sdk/router.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts b/.snippets/code/build/build-apps/wormhole-sdk/signers.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/signers.ts rename to .snippets/code/build/build-apps/wormhole-sdk/signers.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge-snippet.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts rename to .snippets/code/build/build-apps/wormhole-sdk/token-bridge-snippet.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts rename to .snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts b/.snippets/code/build/build-apps/wormhole-sdk/tokens.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/tokens.ts rename to .snippets/code/build/build-apps/wormhole-sdk/tokens.ts diff --git a/.snippets/code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts b/.snippets/code/build/build-apps/wormhole-sdk/wormhole-init.ts similarity index 100% rename from .snippets/code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts rename to .snippets/code/build/build-apps/wormhole-sdk/wormhole-init.ts diff --git a/build/.pages b/build/.pages index e414f7703..b9c6980e2 100644 --- a/build/.pages +++ b/build/.pages @@ -2,4 +2,4 @@ title: Build nav: - index.md - start-building - - build-multichain-applications + - build-apps diff --git a/build/build-multichain-applications/.pages b/build/build-apps/.pages similarity index 100% rename from build/build-multichain-applications/.pages rename to build/build-apps/.pages diff --git a/build/build-multichain-applications/index.md b/build/build-apps/index.md similarity index 100% rename from build/build-multichain-applications/index.md rename to build/build-apps/index.md diff --git a/build/build-multichain-applications/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md similarity index 87% rename from build/build-multichain-applications/wormhole-sdk.md rename to build/build-apps/wormhole-sdk.md index 66aea0e61..c953e9f7d 100644 --- a/build/build-multichain-applications/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -57,12 +57,12 @@ import { wormhole } from '@wormhole-foundation/sdk'; Then, import each of the ecosystem [platforms](#platforms) that you wish to support: ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/import-platforms.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/import-platforms.ts' ``` To make the [platform](#platforms) modules available for use, pass them to the Wormhole constructor: ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/wormhole-init.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/wormhole-init.ts' ``` With a configured Wormhole object, you can do things like parse addresses for the provided platforms, get a [`ChainContext`](#chain-context) object, or fetch VAAs. @@ -75,23 +75,23 @@ const ctx = wh.getChain('Solana'); You can retrieve a VAA as follows. In this example, a timeout of `60,000` milliseconds is used. The amount of time required for the VAA to become available will vary by network. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa-snippet.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/get-vaa-snippet.ts' ``` ??? code "View the complete script" ```ts hl_lines="68-74" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-vaa.ts' + --8<-- 'code/build/build-apps/wormhole-sdk/get-vaa.ts' ``` Optionally, you can override the default configuration with a partial `WormholeConfig` object to specify particular fields, such as a different RPC endpoint. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/config-override.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/config-override.ts' ``` ??? code "View the complete script" ```ts - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/config.ts' + --8<-- 'code/build/build-apps/wormhole-sdk/config.ts' ``` ## Concepts {: #concepts} @@ -121,7 +121,7 @@ The `Wormhole` class provides a `getChain` method that returns a `ChainContext` The `ChainContext` object is also responsible for holding a cached RPC client and protocol clients. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/get-chain.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/get-chain.ts' ``` ### Addresses {: #addresses} @@ -131,7 +131,7 @@ Within the Wormhole context, addresses are often [normalized](https://docs.wormh Each platform has an address type that understands the native address formats, referred to as `NativeAddress.` This abstraction allows the SDK to work with addresses consistently regardless of the underlying chain. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/addresses.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/addresses.ts' ``` ### Tokens {: #tokens} @@ -143,7 +143,7 @@ For standard tokens, Wormhole uses their contract address to create a `TokenId`. Finally, the snippet also demonstrates how to convert a `TokenId` back into a regular address format when needed. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/tokens.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/tokens.ts' ``` ### Signers {: #signers} @@ -155,7 +155,7 @@ A `SignOnlySigner` is used in scenarios where the signer is not connected to the Conversely, a `SignAndSendSigner` is appropriate when the signer is connected to the network and intends to broadcast the transactions. This type of signer also accepts an array of unsigned transactions but returns an array of transaction IDs, corresponding to the order of the unsigned transactions. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/signers.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/signers.ts' ``` See the testing signers ([Evm](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts){target=\_blank}, [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts){target=\_blank}, ...) for an example of how to implement a signer for a specific chain or platform. @@ -186,12 +186,12 @@ The code then waits for the Wormhole network to process and sign the message, tu Lastly, the code will demonstrate how to verify the message on the receiving end. A verification transaction is prepared using the original sender's address and the VAA, and finally this transaction is signed and sent. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/core-bridge.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/core-bridge.ts' ``` ??? code "View the complete script" ```ts - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-core-bridge.ts' + --8<-- 'code/build/build-apps/wormhole-sdk/example-core-bridge.ts' ``` The payload contains the information necessary to perform whatever action is required based on the protocol that uses it. @@ -201,7 +201,7 @@ The payload contains the information necessary to perform whatever action is req The most familiar protocol built on Wormhole is the Token Bridge. Every chain has a `TokenBridge` protocol client that provides a consistent interface for interacting with the Token Bridge. This includes methods to generate the transactions required to transfer tokens and methods to generate and redeem attestations. `WormholeTransfer` abstractions are the recommended way to interact with these protocols but it is possible to use them directly. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/token-bridge-snippet.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/token-bridge-snippet.ts' ``` Supported protocols are defined in the [definitions module](https://github.com/wormhole-foundation/connect-sdk/tree/main/core/definitions/src/protocols){target=\_blank}. @@ -227,12 +227,12 @@ The transfer process is divided into three main steps: For automatic transfers, the process ends after initiation. For manual transfers, the code waits for the transfer to be attested and then completes it on the destination chain. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-token-transfer.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/example-token-transfer.ts' ``` ??? code "View the complete script" ```ts hl_lines="122" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/token-bridge.ts' + --8<-- 'code/build/build-apps/wormhole-sdk/token-bridge.ts' ``` Internally, this uses the [TokenBridge](#token-bridge) protocol client to transfer tokens. Like other Protocols, the `TokenBridge` protocol provides a consistent set of methods across all chains to generate a set of transactions for that specific chain. @@ -248,12 +248,12 @@ An optional payload can be included with the transfer, though in this case it's When waiting for the `VAA`, a timeout of `60,000` milliseconds is used. The amount of time required for the VAA to become available will [vary by network](https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet){target=\_blank}. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp-example-snippet.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/cctp-example-snippet.ts' ``` ??? code "View the complete script" ```ts hl_lines="122" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp.ts' + --8<-- 'code/build/build-apps/wormhole-sdk/cctp.ts' ``` ### Gateway Transfers {: #gateway-transfers} @@ -261,24 +261,24 @@ When waiting for the `VAA`, a timeout of `60,000` milliseconds is used. The amou Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. A transfer into Cosmos from outside Cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain). ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-inbound-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/gateway-inbound-example.ts' ``` A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-intercosmos-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/gateway-intercosmos-example.ts' ``` A transfer leaving Cosmos will produce a VAA from the Gateway that must be manually redeemed on the destination chain. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/gateway-outbound-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts' ``` ??? code "View the complete script" ```ts hl_lines="184" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cosmos.ts' + --8<-- 'code/build/build-apps/wormhole-sdk/cosmos.ts' ``` ### Recovering Transfers {: #recovering-transfers} @@ -286,12 +286,12 @@ A transfer leaving Cosmos will produce a VAA from the Gateway that must be manua It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the `Transfer` class with the `from` static method and pass one of several types of identifiers. A `TransactionId` or `WormholeMessageId` may be used to recover the transfer. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/recover-transfer-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/recover-transfer-example.ts' ``` ??? code "View the complete script" ```ts hl_lines="130" - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/cctp.ts' + --8<-- 'code/build/build-apps/wormhole-sdk/cctp.ts' ``` ## Routes {: #routes} @@ -303,19 +303,19 @@ To provide a more flexible and generic interface, the `Wormhole` class provides The following section demonstrates the process of setting up and validating a token transfer using Wormhole's routing system. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/resolver-create-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/resolver-create-example.ts' ``` Once created, the resolver can be used to provide a list of input and possible output tokens. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-resolver-list-tokens.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/example-resolver-list-tokens.ts' ``` Once the tokens are selected, a `RouteTransferRequest` may be created to provide a list of routes that can fulfill the request. Creating a transfer request fetches the token details since all routes will need to know about the tokens. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-create.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/example-request-create.ts' ``` Choosing the best route is currently left to the developer, but strategies might include sorting by output amount or expected time to complete the transfer (no estimate is currently provided). @@ -325,18 +325,18 @@ After choosing the best route, extra parameters like `amount`, `nativeGasDropoff After successful validation, the code requests a transfer quote. This quote likely includes important details such as fees, estimated time, and the final amount to be received. If the quote is generated successfully, it's displayed for the user to review and decide whether to proceed with the transfer. This process ensures that all transfer details are properly set up and verified before any actual transfer takes place. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-validate.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/example-request-validate.ts' ``` Finally, assuming the quote looks good, the route can initiate the request with the quote and the `signer`. ```ts ---8<-- 'code/build/build-multichain-applications/wormhole-sdk/example-request-initiate.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/example-request-initiate.ts' ``` ??? code "View the complete script" ```ts - --8<-- 'code/build/build-multichain-applications/wormhole-sdk/router.ts' + --8<-- 'code/build/build-apps/wormhole-sdk/router.ts' ``` See the `router.ts` example in the [examples directory](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/examples){target=\_blank} for a full working example. From 22460bada9820e9d10349dcf096b7fccdaf823cb Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:34:13 -0700 Subject: [PATCH 47/73] rev --- build/build-apps/.pages | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-apps/.pages b/build/build-apps/.pages index c686b3d7a..bc67c01cc 100644 --- a/build/build-apps/.pages +++ b/build/build-apps/.pages @@ -1,4 +1,4 @@ -title: Build Multichain Apps +title: Build Apps nav: - index.md - 'Wormhole SDK': 'wormhole-sdk.md' From c1578d76719af4d605cccef9fb9f87b4c853348a Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:39:48 -0700 Subject: [PATCH 48/73] rev --- .../build/build-apps/wormhole-sdk/cctp.ts | 21 ++----------------- .../build/build-apps/wormhole-sdk/config.ts | 4 ---- .../build/build-apps/wormhole-sdk/cosmos.ts | 11 ++-------- .../wormhole-sdk/example-core-bridge.ts | 2 -- .../wormhole-sdk/example-request-initiate.ts | 1 - .../build/build-apps/wormhole-sdk/get-vaa.ts | 10 --------- .../build/build-apps/wormhole-sdk/router.ts | 12 ----------- .../build-apps/wormhole-sdk/token-bridge.ts | 5 ----- 8 files changed, 4 insertions(+), 62 deletions(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts index f6778434b..fca6e82b3 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts @@ -53,18 +53,6 @@ AutoRelayer takes a 0.1usdc fee when xfering to any chain beside goerli, which i nativeGas, }); - // Note: you can pick up a partial transfer from the origin chain name and txid - // once created, you can call `fetchAttestations` and `completeTransfer` assuming its a manual transfer. - // This is especially helpful for chains with longer time to finality where you don't want - // to have to wait for the attestation to be generated. - // await completeTransfer( - // wh, - // { - // chain: sendChain.chain, - // txid: "0x6b431a9172f6c672976294b3a3d6cd79f46a7d6247440c0934af4bfc2b5ad957", - // }, - // destination.signer, - // ); })(); async function cctpTransfer( @@ -77,7 +65,7 @@ async function cctpTransfer( nativeGas?: bigint; } ) { - // EXAMPLE_CCTP_TRANSFER + const xfer = await wh.circleTransfer( // amount as bigint (base units) req.amount, @@ -114,8 +102,6 @@ async function cctpTransfer( return; } - // Note: Depending on chain finality, this timeout may need to be increased. - // See https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet for more console.log('Waiting for Attestation'); const attestIds = await xfer.fetchAttestation(60_000); console.log(`Got Attestation: `, attestIds); @@ -123,7 +109,6 @@ async function cctpTransfer( console.log('Completing Transfer'); const dstTxids = await xfer.completeTransfer(dst.signer); console.log(`Completed Transfer: `, dstTxids); - // EXAMPLE_CCTP_TRANSFER } export async function completeTransfer( @@ -131,8 +116,7 @@ export async function completeTransfer( txid: TransactionId, signer: Signer ): Promise { - // EXAMPLE_RECOVER_TRANSFER - // Rebuild the transfer from the source txid + const xfer = await CircleTransfer.from(wh, txid); const attestIds = await xfer.fetchAttestation(60 * 60 * 1000); @@ -140,5 +124,4 @@ export async function completeTransfer( const dstTxIds = await xfer.completeTransfer(signer); console.log('Completed transfer: ', dstTxIds); - // EXAMPLE_RECOVER_TRANSFER } diff --git a/.snippets/code/build/build-apps/wormhole-sdk/config.ts b/.snippets/code/build/build-apps/wormhole-sdk/config.ts index aa576154d..c688dc139 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/config.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/config.ts @@ -1,9 +1,6 @@ import { wormhole } from '@wormhole-foundation/sdk'; import solana from '@wormhole-foundation/sdk/solana'; (async function () { - // EXAMPLE_CONFIG_OVERRIDE - // Pass a partial WormholeConfig object to override specific - // fields in the default config const wh = await wormhole('Testnet', [solana], { chains: { Solana: { @@ -14,6 +11,5 @@ import solana from '@wormhole-foundation/sdk/solana'; }, }, }); - // EXAMPLE_CONFIG_OVERRIDE console.log(wh.config.chains.Solana); })(); diff --git a/.snippets/code/build/build-apps/wormhole-sdk/cosmos.ts b/.snippets/code/build/build-apps/wormhole-sdk/cosmos.ts index f2f70ec5f..09702f4e4 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/cosmos.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/cosmos.ts @@ -32,7 +32,7 @@ import { SignerStuff, getSigner } from './helpers/index.js'; // {*}: Transparently handled by Gateway (async function () { - // init Wormhole object, passing config for which network + // Init Wormhole object, passing config for which network // to use (e.g. Mainnet/Testnet) and what Platforms to support const wh = await wormhole('Mainnet', [evm, solana, cosmwasm]); // Pick up where you left off by updating the txids as you go @@ -49,7 +49,7 @@ import { SignerStuff, getSigner } from './helpers/index.js'; const leg2 = await getSigner(cosmos1); const leg3 = await getSigner(cosmos2); - // we'll use the native token on the source chain + // We'll use the native token on the source chain const token: TokenId = Wormhole.tokenId(external.chain, 'native'); const amt = amount.units( amount.parse('0.001', external.config.nativeTokenDecimals) @@ -118,7 +118,6 @@ async function transferIntoCosmos( src: SignerStuff, dst: SignerStuff ): Promise> { - // EXAMPLE_GATEWAY_INBOUND console.log( `Beginning transfer into Cosmos from ${ src.chain.chain @@ -140,8 +139,6 @@ async function transferIntoCosmos( const attests = await xfer.fetchAttestation(600_000); console.log('Got Attestations', attests); - // EXAMPLE_GATEWAY_INBOUND - return xfer; } @@ -152,7 +149,6 @@ async function transferBetweenCosmos( src: SignerStuff, dst: SignerStuff ): Promise> { - // EXAMPLE_GATEWAY_INTERCOSMOS console.log( `Beginning transfer within cosmos from ${ src.chain.chain @@ -174,7 +170,6 @@ async function transferBetweenCosmos( const attests = await xfer.fetchAttestation(60_000); console.log('Got attests: ', attests); - // EXAMPLE_GATEWAY_INTERCOSMOS return xfer; } @@ -186,7 +181,6 @@ async function transferOutOfCosmos( src: SignerStuff, dst: SignerStuff ): Promise> { - // EXAMPLE_GATEWAY_OUTBOUND console.log( `Beginning transfer out of cosmos from ${ src.chain.chain @@ -211,7 +205,6 @@ async function transferOutOfCosmos( // Since we're leaving cosmos, this is required to complete the transfer const dstTxIds = await xfer.completeTransfer(dst.signer); console.log('Completed transfer on destination chain', dstTxIds); - // EXAMPLE_GATEWAY_OUTBOUND return xfer; } diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts index bca764aad..fbcf14cb5 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts @@ -4,7 +4,6 @@ import solana from '@wormhole-foundation/sdk/solana'; import evm from '@wormhole-foundation/sdk/evm'; (async function () { - // EXAMPLE_CORE_BRIDGE const wh = await wormhole('Testnet', [solana, evm]); const chain = wh.getChain('Avalanche'); @@ -51,5 +50,4 @@ import evm from '@wormhole-foundation/sdk/evm'; // this is simply for demo purposes const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); console.log(await signSendWait(chain, verifyTxs, signer)); - // EXAMPLE_CORE_BRIDGE })(); diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts index 594b34909..d94f1c003 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts @@ -1,3 +1,2 @@ -// Now the transfer may be initiated const receipt = await bestRoute.initiate(sender.signer, quote); console.log('Initiated transfer with receipt: ', receipt); \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts index 3ccd32bda..23ee795b0 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts @@ -1,6 +1,4 @@ -// EXAMPLE_IMPORTS import { wormhole } from '@wormhole-foundation/sdk'; -// EXAMPLE_IMPORTS import { Wormhole, amount, signSendWait } from '@wormhole-foundation/sdk'; import algorand from '@wormhole-foundation/sdk/algorand'; @@ -12,7 +10,6 @@ import sui from '@wormhole-foundation/sdk/sui'; import { getSigner } from './helpers/index.js'; (async function () { - // EXAMPLE_WORMHOLE_INIT const wh = await wormhole('Testnet', [ evm, solana, @@ -21,12 +18,8 @@ import { getSigner } from './helpers/index.js'; cosmwasm, sui, ]); - // EXAMPLE_WORMHOLE_INIT - // EXAMPLE_WORMHOLE_CHAIN - // Grab a ChainContext object from our configured Wormhole instance const ctx = wh.getChain('Solana'); - // EXAMPLE_WORMHOLE_CHAIN const rcv = wh.getChain('Algorand'); @@ -75,8 +68,6 @@ import { getSigner } from './helpers/index.js'; const [whm] = await ctx.parseTransaction(txids[txids.length - 1]!.txid); console.log('Wormhole Messages: ', whm); - // EXAMPLE_WORMHOLE_VAA - // Get the VAA from the wormhole message id const vaa = await wh.getVaa( // Wormhole Message ID whm!, @@ -85,7 +76,6 @@ import { getSigner } from './helpers/index.js'; // Timeout in milliseconds, depending on the chain and network, the VAA may take some time to be available 60_000 ); - // EXAMPLE_WORMHOLE_VAA // Now get the token bridge on the redeem side const rcvTb = await rcv.getTokenBridge(); diff --git a/.snippets/code/build/build-apps/wormhole-sdk/router.ts b/.snippets/code/build/build-apps/wormhole-sdk/router.ts index 9c09fff58..46f692bcd 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/router.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/router.ts @@ -21,7 +21,6 @@ import { getSigner } from './helpers/index.js'; const sender = await getSigner(sendChain); const receiver = await getSigner(destChain); - // EXAMPLE_RESOLVER_CREATE // create new resolver, passing the set of routes to consider const resolver = wh.resolver([ routes.TokenBridgeRoute, // manual token bridge @@ -30,9 +29,7 @@ import { getSigner } from './helpers/index.js'; routes.AutomaticCCTPRoute, // automatic CCTP routes.AutomaticPorticoRoute, // Native eth transfers ]); - // EXAMPLE_RESOLVER_CREATE - // EXAMPLE_RESOLVER_LIST_TOKENS // what tokens are available on the source chain? const srcTokens = await resolver.supportedSourceTokens(sendChain); console.log( @@ -40,8 +37,6 @@ import { getSigner } from './helpers/index.js'; srcTokens.map((t) => canonicalAddress(t)) ); - // Grab the first one for the example - // const sendToken = srcTokens[0]!; const sendToken = Wormhole.tokenId(sendChain.chain, 'native'); // given the send token, what can we possibly get on the destination chain? @@ -56,9 +51,7 @@ import { getSigner } from './helpers/index.js'; ); //grab the first one for the example const destinationToken = destTokens[0]!; - // EXAMPLE_RESOLVER_LIST_TOKENS - // EXAMPLE_REQUEST_CREATE // creating a transfer request fetches token details // since all routes will need to know about the tokens const tr = await routes.RouteTransferRequest.create(wh, { @@ -72,14 +65,12 @@ import { getSigner } from './helpers/index.js'; 'For the transfer parameters, we found these routes: ', foundRoutes ); - // EXAMPLE_REQUEST_CREATE // Sort the routes given some input (not required for mvp) // const bestRoute = (await resolver.sortRoutes(foundRoutes, "cost"))[0]!; const bestRoute = foundRoutes[0]!; console.log('Selected: ', bestRoute); - // EXAMPLE_REQUEST_VALIDATE console.log( 'This route offers the following default options', bestRoute.getDefaultOptions() @@ -101,12 +92,10 @@ import { getSigner } from './helpers/index.js'; const quote = await bestRoute.quote(tr, validated.params); if (!quote.success) throw quote.error; console.log('Best route quote: ', quote); - // EXAMPLE_REQUEST_VALIDATE // If you're sure you want to do this, set this to true const imSure = false; if (imSure) { - // EXAMPLE_REQUEST_INITIATE // Now the transfer may be initiated // A receipt will be returned, guess what you gotta do with that? const receipt = await bestRoute.initiate( @@ -116,7 +105,6 @@ import { getSigner } from './helpers/index.js'; receiver.address ); console.log('Initiated transfer with receipt: ', receipt); - // EXAMPLE_REQUEST_INITIATE // Kick off a wait log, if there is an opportunity to complete, this function will do it // see the implementation for how this works diff --git a/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts index 4dad02756..dec54cd7d 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts @@ -9,8 +9,6 @@ import { wormhole, } from '@wormhole-foundation/sdk'; -// Import the platform-specific packages - import evm from '@wormhole-foundation/sdk/evm'; import solana from '@wormhole-foundation/sdk/solana'; import { SignerStuff, getSigner, waitLog } from './helpers/index.js'; @@ -72,7 +70,6 @@ import { SignerStuff, getSigner, waitLog } from './helpers/index.js'; // Set this to the transfer txid of the initiating transaction to recover a token transfer // and attempt to fetch details about its progress. let recoverTxid = undefined; - // recoverTxid = "0xa4e0a2c1c994fe3298b5646dfd5ce92596dc1a589f42e241b7f07501a5a5a39f"; // Finally create and perform the transfer given the parameters set above const xfer = !recoverTxid @@ -120,7 +117,6 @@ async function tokenTransfer( }, roundTrip?: boolean ): Promise> { - // EXAMPLE_TOKEN_TRANSFER // Create a TokenTransfer object to track the state of the transfer over time const xfer = await wh.tokenTransfer( route.token, @@ -160,7 +156,6 @@ async function tokenTransfer( console.log('Completing Transfer'); const destTxids = await xfer.completeTransfer(route.destination.signer); console.log(`Completed Transfer: `, destTxids); - // EXAMPLE_TOKEN_TRANSFER // If no need to send back, dip if (!roundTrip) return xfer; From 72735bc632e8b9c1aa80429b96b8dc476f7ed331 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 16:56:17 -0700 Subject: [PATCH 49/73] rev --- build/build-apps/wormhole-sdk.md | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index 9a7909141..61a783dd8 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -26,23 +26,23 @@ This package combines all the individual packages to make setup easier while all Alternatively, you can install a specific set of published packages: -- You can install the necessary constants with the `sdk-base` package: -``` +- `sdk-base` - exposes constants +```sh npm install @wormhole-foundation/sdk-base ``` -- You can install the contract interfaces, basic types, and VAA payload definitions with the `sdk-definitions` package: -``` +- `sdk-definitions` - exposes contract interfaces, basic types, and VAA payload definitions +```sh npm install @wormhole-foundation/sdk-definitions ``` -- You can install the EVM-specific utilities with the `sdk-evm` package: -``` +- `sdk-evm` - exposes EVM-specific utilities +```sh npm install @wormhole-foundation/sdk-evm ``` -- You can install the EVM TokenBridge protocol client with the `sdk-evm-tokenbridge` package: -``` +- `sdk-evm-tokenbridge` - exposes the EVM Token Bridge protocol client +```sh npm install @wormhole-foundation/sdk-evm-tokenbridge ``` From f0c3b0da9a23ee202acabec637a3d4cdd2b41bf0 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 17:14:12 -0700 Subject: [PATCH 50/73] rev --- .../build/build-apps/wormhole-sdk/get-vaa.ts | 17 ----------------- build/build-apps/wormhole-sdk.md | 15 ++++++++------- 2 files changed, 8 insertions(+), 24 deletions(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts index 23ee795b0..6a1329dbf 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts @@ -35,23 +35,6 @@ import { getSigner } from './helpers/index.js'; // bigint amount using `amount` module const amt = amount.units(amount.parse('0.1', ctx.config.nativeTokenDecimals)); - // NOTE: If the recipient chain is Solana the ATA _must_ be the recipient address - // using a standard wallet account address will result in a failed transfer - // and loss of funds - - // Higher level objects like TokenTransfer are available and provide things like destination overrides - // in the case that the destination has some special rules the source chain must follow for - // successful redemption on the destination chain. - - // Some static helpers are available for more direct control - // const withOverrides = await TokenTransfer.destinationOverrides(ctx, rcv, { - // token: tokenId, - // amount: amt, - // from: sender.address, - // to: receiver.address, - // }); - // console.log(withOverrides); - // Create a transaction stream for transfers const transfer = sndTb.transfer( sender.address.address, diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index 61a783dd8..ec81ecaff 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -51,35 +51,36 @@ npm install @wormhole-foundation/sdk-evm-tokenbridge Getting started is simple; just import Wormhole: ```ts -import { wormhole } from '@wormhole-foundation/sdk'; +--8<-- 'code/build/build-apps/wormhole-sdk/get-vaa.ts::1' ``` Then, import each of the ecosystem [platforms](#platforms) that you wish to support: ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/import-platforms.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/get-vaa.ts:4:9' ``` + + To make the [platform](#platforms) modules available for use, pass them to the Wormhole constructor: ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/wormhole-init.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/get-vaa.ts:13:20' ``` With a configured Wormhole object, you can do things like parse addresses for the provided platforms, get a [`ChainContext`](#chain-context) object, or fetch VAAs. ```ts -// Grab a ChainContext object from our configured Wormhole instance -const ctx = wh.getChain('Solana'); +--8<-- 'code/build/build-apps/wormhole-sdk/get-vaa.ts:22:22' ``` You can retrieve a VAA as follows. In this example, a timeout of `60,000` milliseconds is used. The amount of time required for the VAA to become available will vary by network. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/get-vaa-snippet.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/get-vaa.ts:54:61' ``` ??? code "View the complete script" - ```ts hl_lines="68-74" + ```ts --8<-- 'code/build/build-apps/wormhole-sdk/get-vaa.ts' ``` From 203d23d6324afc151723df38705d9f5163d74c48 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 17:15:29 -0700 Subject: [PATCH 51/73] rev --- .../build/build-apps/wormhole-sdk/get-vaa-snippet.ts | 9 --------- .../build/build-apps/wormhole-sdk/import-platforms.ts | 6 ------ .../code/build/build-apps/wormhole-sdk/wormhole-init.ts | 8 -------- 3 files changed, 23 deletions(-) delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/get-vaa-snippet.ts delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/import-platforms.ts delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/wormhole-init.ts diff --git a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa-snippet.ts b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa-snippet.ts deleted file mode 100644 index f0521ce41..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa-snippet.ts +++ /dev/null @@ -1,9 +0,0 @@ -// Get the VAA from the wormhole message id -const vaa = await wh.getVaa( - // Wormhole Message ID - whm!, - // Protocol:Payload name to use for decoding the VAA payload - 'TokenBridge:Transfer', - // Timeout in milliseconds - 60_000 -); \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/import-platforms.ts b/.snippets/code/build/build-apps/wormhole-sdk/import-platforms.ts deleted file mode 100644 index 6017ee42e..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/import-platforms.ts +++ /dev/null @@ -1,6 +0,0 @@ -import algorand from '@wormhole-foundation/sdk/algorand'; -import aptos from '@wormhole-foundation/sdk/aptos'; -import cosmwasm from '@wormhole-foundation/sdk/cosmwasm'; -import evm from '@wormhole-foundation/sdk/evm'; -import solana from '@wormhole-foundation/sdk/solana'; -import sui from '@wormhole-foundation/sdk/sui'; diff --git a/.snippets/code/build/build-apps/wormhole-sdk/wormhole-init.ts b/.snippets/code/build/build-apps/wormhole-sdk/wormhole-init.ts deleted file mode 100644 index 8c516f5b2..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/wormhole-init.ts +++ /dev/null @@ -1,8 +0,0 @@ -const wh = await wormhole('Testnet', [ - evm, - solana, - aptos, - algorand, - cosmwasm, - sui, -]); \ No newline at end of file From ca4f42dac886f3f70d04db5c1d1ae24048f72284 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Fri, 9 Aug 2024 17:35:16 -0700 Subject: [PATCH 52/73] rev --- .../build-apps/wormhole-sdk/addresses.ts | 2 +- .../wormhole-sdk/example-core-bridge.ts | 16 +++------- .../wormhole-sdk/example-request-create.ts | 2 +- .../wormhole-sdk/example-request-validate.ts | 4 +-- .../build/build-apps/wormhole-sdk/get-vaa.ts | 4 +-- .../wormhole-sdk/resolver-create-example.ts | 2 +- .../build/build-apps/wormhole-sdk/router.ts | 31 +++++++++---------- .../build/build-apps/wormhole-sdk/signers.ts | 6 ++-- .../build-apps/wormhole-sdk/token-bridge.ts | 16 +++++----- 9 files changed, 38 insertions(+), 45 deletions(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts b/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts index 193d362b2..c5510ffe9 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts @@ -2,7 +2,7 @@ const ethAddr: NativeAddress<'Evm'> = toNative('Ethereum', '0xbeef...'); // A common type in the SDK is the `ChainAddress` which provides -// the additional context of the `Chain` this address is relevant for +// The additional context of the `Chain` this address is relevant for const senderAddress: ChainAddress = Wormhole.chainAddress( 'Ethereum', '0xbeef...' diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts index fbcf14cb5..617f22bd0 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts @@ -27,27 +27,21 @@ import evm from '@wormhole-foundation/sdk/evm'; const txids = await signSendWait(chain, publishTxs, signer); // Take the last txid in case multiple were sent - // the last one should be the one containing the relevant - // event or log info + // The last one should be the one containing the relevant + // Event or log info const txid = txids[txids.length - 1]; // Grab the wormhole message id from the transaction logs or storage const [whm] = await chain.parseTransaction(txid!.txid); - // Or pull the full message content as an Unsigned VAA - // console.log(await coreBridge.parseMessages(txid!.txid)); - // Wait for the vaa to be signed and available with a timeout const vaa = await wh.getVaa(whm!, 'Uint8Array', 60_000); console.log(vaa); - // Also possible to search by txid but it takes longer to show up - // console.log(await wh.getVaaByTxHash(txid!.txid, "Uint8Array")); - // Note: calling verifyMessage manually is typically not a useful thing to do - // as the VAA is typically submitted to the counterpart contract for - // a given protocol and the counterpart contract will verify the VAA - // this is simply for demo purposes + // As the VAA is typically submitted to the counterpart contract for + // A given protocol and the counterpart contract will verify the VAA + // This is simply for demo purposes const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); console.log(await signSendWait(chain, verifyTxs, signer)); })(); diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts index 0a02fb476..4d84b3f25 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts @@ -5,7 +5,7 @@ const tr = await routes.RouteTransferRequest.create(wh, { destination: destinationToken, }); -// resolve the transfer request to a set of routes that can perform it +// Resolve the transfer request to a set of routes that can perform it const foundRoutes = await resolver.findRoutes(tr); console.log( 'For the transfer parameters, we found these routes: ', diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts index b40b5c0c5..73207c958 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts @@ -7,12 +7,12 @@ const amt = '0.001'; const transferParams = { amount: amt, options: { nativeGas: 0 } }; -// validate the transfer params passed +// Validate the transfer params passed const validated = await bestRoute.validate(transferParams); if (!validated.valid) throw validated.error; console.log('Validated parameters: ', validated.params); -// get a quote for the transfer +// Get a quote for the transfer const quote = await bestRoute.quote(validated.params); if (!quote.success) throw quote.error; console.log('Best route quote: ', quote); \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts index 6a1329dbf..606c75d4a 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts @@ -32,7 +32,7 @@ import { getSigner } from './helpers/index.js'; // Send the native token of the source chain const tokenId = Wormhole.tokenId(ctx.chain, 'native'); - // bigint amount using `amount` module + // Bigint amount using `amount` module const amt = amount.units(amount.parse('0.1', ctx.config.nativeTokenDecimals)); // Create a transaction stream for transfers @@ -71,7 +71,7 @@ import { getSigner } from './helpers/index.js'; console.log('Sent: ', rcvTxids); // Now check if the transfer is completed according to - // the destination token bridge + // The destination token bridge const finished = await rcvTb.isTransferCompleted(vaa!); console.log('Transfer completed: ', finished); })(); diff --git a/.snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts index f17d4d12c..30597c8d3 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts @@ -1,4 +1,4 @@ -// create new resolver, passing the set of routes to consider +// Create new resolver, passing the set of routes to consider const resolver = wh.resolver([ routes.TokenBridgeRoute, // manual token bridge routes.AutomaticTokenBridgeRoute, // automatic token bridge diff --git a/.snippets/code/build/build-apps/wormhole-sdk/router.ts b/.snippets/code/build/build-apps/wormhole-sdk/router.ts index 46f692bcd..7d0cd7776 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/router.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/router.ts @@ -17,11 +17,11 @@ import { getSigner } from './helpers/index.js'; const sendChain = wh.getChain('Avalanche'); const destChain = wh.getChain('Solana'); - // get signers from local config + // Get signers from local config const sender = await getSigner(sendChain); const receiver = await getSigner(destChain); - // create new resolver, passing the set of routes to consider + // Create new resolver, passing the set of routes to consider const resolver = wh.resolver([ routes.TokenBridgeRoute, // manual token bridge routes.AutomaticTokenBridgeRoute, // automatic token bridge @@ -30,7 +30,7 @@ import { getSigner } from './helpers/index.js'; routes.AutomaticPorticoRoute, // Native eth transfers ]); - // what tokens are available on the source chain? + // What tokens are available on the source chain? const srcTokens = await resolver.supportedSourceTokens(sendChain); console.log( 'Allowed source tokens: ', @@ -39,7 +39,7 @@ import { getSigner } from './helpers/index.js'; const sendToken = Wormhole.tokenId(sendChain.chain, 'native'); - // given the send token, what can we possibly get on the destination chain? + // Given the send token, what can we possibly get on the destination chain? const destTokens = await resolver.supportedDestinationTokens( sendToken, sendChain, @@ -49,25 +49,23 @@ import { getSigner } from './helpers/index.js'; 'For the given source token and routes configured, the following tokens may be receivable: ', destTokens.map((t) => canonicalAddress(t)) ); - //grab the first one for the example + // Grab the first one for the example const destinationToken = destTokens[0]!; - // creating a transfer request fetches token details - // since all routes will need to know about the tokens + // Creating a transfer request fetches token details + // Since all routes will need to know about the tokens const tr = await routes.RouteTransferRequest.create(wh, { source: sendToken, destination: destinationToken, }); - // resolve the transfer request to a set of routes that can perform it + // Resolve the transfer request to a set of routes that can perform it const foundRoutes = await resolver.findRoutes(tr); console.log( 'For the transfer parameters, we found these routes: ', foundRoutes ); - // Sort the routes given some input (not required for mvp) - // const bestRoute = (await resolver.sortRoutes(foundRoutes, "cost"))[0]!; const bestRoute = foundRoutes[0]!; console.log('Selected: ', bestRoute); @@ -75,20 +73,21 @@ import { getSigner } from './helpers/index.js'; 'This route offers the following default options', bestRoute.getDefaultOptions() ); + // Specify the amount as a decimal string const amt = '0.001'; // Create the transfer params for this request const transferParams = { amount: amt, options: { nativeGas: 0 } }; - // validate the transfer params passed, this returns a new type of ValidatedTransferParams - // which (believe it or not) is a validated version of the input params - // this new var must be passed to the next step, quote + // Validate the transfer params passed, this returns a new type of ValidatedTransferParams + // Which (believe it or not) is a validated version of the input params + // This new var must be passed to the next step, quote const validated = await bestRoute.validate(tr, transferParams); if (!validated.valid) throw validated.error; console.log('Validated parameters: ', validated.params); - // get a quote for the transfer, this too returns a new type that must - // be passed to the next step, execute (if you like the quote) + // Get a quote for the transfer, this too returns a new type that must + // Be passed to the next step, execute (if you like the quote) const quote = await bestRoute.quote(tr, validated.params); if (!quote.success) throw quote.error; console.log('Best route quote: ', quote); @@ -107,7 +106,7 @@ import { getSigner } from './helpers/index.js'; console.log('Initiated transfer with receipt: ', receipt); // Kick off a wait log, if there is an opportunity to complete, this function will do it - // see the implementation for how this works + // See the implementation for how this works await routes.checkAndCompleteTransfer(bestRoute, receipt, receiver.signer); } else { console.log('Not initiating transfer (set `imSure` to true to do so)'); diff --git a/.snippets/code/build/build-apps/wormhole-sdk/signers.ts b/.snippets/code/build/build-apps/wormhole-sdk/signers.ts index e02a96e30..a99995c5b 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/signers.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/signers.ts @@ -4,9 +4,9 @@ export interface SignOnlySigner { chain(): ChainName; address(): string; // Accept an array of unsigned transactions and return - // an array of signed and serialized transactions. + // An array of signed and serialized transactions. // The transactions may be inspected or altered before - // signing. + // Signing. sign(tx: UnsignedTransaction[]): Promise; } @@ -14,7 +14,7 @@ export interface SignAndSendSigner { chain(): ChainName; address(): string; // Accept an array of unsigned transactions and return - // an array of transaction ids in the same order as the + // An array of transaction ids in the same order as the // UnsignedTransactions array. signAndSend(tx: UnsignedTransaction[]): Promise; } \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts index dec54cd7d..d825b7294 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts @@ -15,7 +15,7 @@ import { SignerStuff, getSigner, waitLog } from './helpers/index.js'; (async function () { // Init Wormhole object, passing config for which network - // to use (e.g. Mainnet/Testnet) and what Platforms to support + // To use (e.g. Mainnet/Testnet) and what Platforms to support const wh = await wormhole('Testnet', [evm, solana]); // Grab chain Contexts -- these hold a reference to a cached rpc client @@ -37,21 +37,21 @@ import { SignerStuff, getSigner, waitLog } from './helpers/index.js'; // Normalized given token decimals later but can just pass bigints as base units // Note: The Token bridge will dedust past 8 decimals - // this means any amount specified past that point will be returned - // to the caller + // This means any amount specified past that point will be returned + // To the caller const amt = '0.05'; // With automatic set to true, perform an automatic transfer. This will invoke a relayer - // contract intermediary that knows to pick up the transfers + // Contract intermediary that knows to pick up the transfers // With automatic set to false, perform a manual transfer from source to destination - // of the token + // Of the token // On the destination side, a wrapped version of the token will be minted - // to the address specified in the transfer VAA + // To the address specified in the transfer VAA const automatic = false; // The automatic relayer has the ability to deliver some native gas funds to the destination account // The amount specified for native gas will be swapped for the native gas token according - // to the swap rate provided by the contract, denominated in native gas tokens + // To the swap rate provided by the contract, denominated in native gas tokens const nativeGas = automatic ? '0.01' : undefined; // Get signer from local key but anything that implements @@ -68,7 +68,7 @@ import { SignerStuff, getSigner, waitLog } from './helpers/index.js'; const roundTrip: boolean = false; // Set this to the transfer txid of the initiating transaction to recover a token transfer - // and attempt to fetch details about its progress. + // And attempt to fetch details about its progress. let recoverTxid = undefined; // Finally create and perform the transfer given the parameters set above From 07aa1cdf170923c9b1ea6c76a69313050b28e416 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:22:52 -0700 Subject: [PATCH 53/73] Update .snippets/code/build/build-apps/wormhole-sdk/cctp.ts Co-authored-by: Erin Shaben --- .snippets/code/build/build-apps/wormhole-sdk/cctp.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts index fca6e82b3..ec0047dad 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts @@ -17,7 +17,7 @@ import { SignerStuff, getSigner, waitForRelay } from './helpers/index.js'; Notes: Only a subset of chains are supported by Circle for CCTP, see core/base/src/constants/circle.ts for currently supported chains -AutoRelayer takes a 0.1usdc fee when xfering to any chain beside goerli, which is 1 usdc +AutoRelayer takes a 0.1 USDC fee when transferring to any chain beside Goerli, which is 1 USDC */ // From ec1fe0b5312118aa3480653da1386a0bde6a44c4 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:27:46 -0700 Subject: [PATCH 54/73] comment capitalization --- .../code/build/build-apps/wormhole-sdk/addresses.ts | 2 +- .snippets/code/build/build-apps/wormhole-sdk/cctp.ts | 12 ++++++------ .../build-apps/wormhole-sdk/example-core-bridge.ts | 2 +- .../code/build/build-apps/wormhole-sdk/get-vaa.ts | 2 +- .../code/build/build-apps/wormhole-sdk/router.ts | 4 ++-- .../code/build/build-apps/wormhole-sdk/signers.ts | 8 ++++---- .../build/build-apps/wormhole-sdk/token-bridge.ts | 2 +- 7 files changed, 16 insertions(+), 16 deletions(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts b/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts index c5510ffe9..193d362b2 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/addresses.ts @@ -2,7 +2,7 @@ const ethAddr: NativeAddress<'Evm'> = toNative('Ethereum', '0xbeef...'); // A common type in the SDK is the `ChainAddress` which provides -// The additional context of the `Chain` this address is relevant for +// the additional context of the `Chain` this address is relevant for const senderAddress: ChainAddress = Wormhole.chainAddress( 'Ethereum', '0xbeef...' diff --git a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts index ec0047dad..73d549b0e 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts @@ -22,7 +22,7 @@ AutoRelayer takes a 0.1 USDC fee when transferring to any chain beside Goerli, w // (async function () { - // init Wormhole object, passing config for which network + // Init Wormhole object, passing config for which network // to use (e.g. Mainnet/Testnet) and what Platforms to support const wh = await wormhole('Testnet', [evm, solana]); @@ -67,15 +67,15 @@ async function cctpTransfer( ) { const xfer = await wh.circleTransfer( - // amount as bigint (base units) + // Amount as bigint (base units) req.amount, - // sender chain/address + // Sender chain/address src.address, - // receiver chain/address + // Receiver chain/address dst.address, - // automatic delivery boolean + // Automatic delivery boolean req.automatic, - // payload to be sent with the transfer + // Payload to be sent with the transfer undefined, // If automatic, native gas can be requested to be sent to the receiver req.nativeGas diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts index 617f22bd0..72c065062 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/example-core-bridge.ts @@ -28,7 +28,7 @@ import evm from '@wormhole-foundation/sdk/evm'; // Take the last txid in case multiple were sent // The last one should be the one containing the relevant - // Event or log info + // event or log info const txid = txids[txids.length - 1]; // Grab the wormhole message id from the transaction logs or storage diff --git a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts index 606c75d4a..9d27eb69c 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/get-vaa.ts @@ -71,7 +71,7 @@ import { getSigner } from './helpers/index.js'; console.log('Sent: ', rcvTxids); // Now check if the transfer is completed according to - // The destination token bridge + // the destination token bridge const finished = await rcvTb.isTransferCompleted(vaa!); console.log('Transfer completed: ', finished); })(); diff --git a/.snippets/code/build/build-apps/wormhole-sdk/router.ts b/.snippets/code/build/build-apps/wormhole-sdk/router.ts index 7d0cd7776..c5535e689 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/router.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/router.ts @@ -80,14 +80,14 @@ import { getSigner } from './helpers/index.js'; const transferParams = { amount: amt, options: { nativeGas: 0 } }; // Validate the transfer params passed, this returns a new type of ValidatedTransferParams - // Which (believe it or not) is a validated version of the input params + // which (believe it or not) is a validated version of the input params // This new var must be passed to the next step, quote const validated = await bestRoute.validate(tr, transferParams); if (!validated.valid) throw validated.error; console.log('Validated parameters: ', validated.params); // Get a quote for the transfer, this too returns a new type that must - // Be passed to the next step, execute (if you like the quote) + // be passed to the next step, execute (if you like the quote) const quote = await bestRoute.quote(tr, validated.params); if (!quote.success) throw quote.error; console.log('Best route quote: ', quote); diff --git a/.snippets/code/build/build-apps/wormhole-sdk/signers.ts b/.snippets/code/build/build-apps/wormhole-sdk/signers.ts index a99995c5b..0cd982884 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/signers.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/signers.ts @@ -4,9 +4,9 @@ export interface SignOnlySigner { chain(): ChainName; address(): string; // Accept an array of unsigned transactions and return - // An array of signed and serialized transactions. + // an array of signed and serialized transactions. // The transactions may be inspected or altered before - // Signing. + // signing. sign(tx: UnsignedTransaction[]): Promise; } @@ -14,7 +14,7 @@ export interface SignAndSendSigner { chain(): ChainName; address(): string; // Accept an array of unsigned transactions and return - // An array of transaction ids in the same order as the - // UnsignedTransactions array. + // an array of transaction ids in the same order as the + // unsignedTransactions array. signAndSend(tx: UnsignedTransaction[]): Promise; } \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts index d825b7294..c12ab3766 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge.ts @@ -15,7 +15,7 @@ import { SignerStuff, getSigner, waitLog } from './helpers/index.js'; (async function () { // Init Wormhole object, passing config for which network - // To use (e.g. Mainnet/Testnet) and what Platforms to support + // to use (e.g. Mainnet/Testnet) and what Platforms to support const wh = await wormhole('Testnet', [evm, solana]); // Grab chain Contexts -- these hold a reference to a cached rpc client From d7834b2017839f2efd28b1bc04476e0ab6033c34 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:28:22 -0700 Subject: [PATCH 55/73] rev --- .snippets/code/build/build-apps/wormhole-sdk/cctp.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts index 73d549b0e..e7a3f107d 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts @@ -22,7 +22,7 @@ AutoRelayer takes a 0.1 USDC fee when transferring to any chain beside Goerli, w // (async function () { - // Init Wormhole object, passing config for which network + // Init the Wormhole object, passing in the config for which network // to use (e.g. Mainnet/Testnet) and what Platforms to support const wh = await wormhole('Testnet', [evm, solana]); From 3b132dda116b2e2318f7fe5f2e97ac432e0c7804 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:30:10 -0700 Subject: [PATCH 56/73] Update .snippets/code/build/build-apps/wormhole-sdk/cctp.ts Co-authored-by: Erin Shaben --- .snippets/code/build/build-apps/wormhole-sdk/cctp.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts index e7a3f107d..cdb759122 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/cctp.ts @@ -35,7 +35,7 @@ AutoRelayer takes a 0.1 USDC fee when transferring to any chain beside Goerli, w const source = await getSigner(sendChain); const destination = await getSigner(rcvChain); - // 6 decimals for USDC (except for bsc, so check decimals before using this) + // 6 decimals for USDC (except for BSC, so check decimals before using this) const amt = amount.units(amount.parse('0.2', 6)); // Choose whether or not to have the attestation delivered for you From 0d99dce95c41e565d4b6a05f797b4d077c2b9e4d Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:30:42 -0700 Subject: [PATCH 57/73] Update build/build-apps/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-apps/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index ec81ecaff..8212cb9b1 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -127,7 +127,7 @@ The `ChainContext` object is also responsible for holding a cached RPC client an ### Addresses {: #addresses} -Within the Wormhole context, addresses are often [normalized](https://docs.wormhole.com/wormhole/blockchain-environments/evm#addresses){target=\_blank} to 32 bytes and referred to in this SDK as a `UniversalAddresses`. +Within the Wormhole context, addresses are often [normalized](https://docs.wormhole.com/wormhole/blockchain-environments/evm#addresses){target=\_blank} to 32 bytes and referred to in this SDK as a `UniversalAddress`. Each platform has an address type that understands the native address formats, referred to as `NativeAddress.` This abstraction allows the SDK to work with addresses consistently regardless of the underlying chain. From cba9d1a4136daa06fec1bfdc6eca8bb59f2eeb40 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:32:01 -0700 Subject: [PATCH 58/73] rev --- .../build/build-apps/wormhole-sdk/gateway-outbound-example.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts index f1e2e3c2e..d1819b94f 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts @@ -19,6 +19,6 @@ console.log('Started transfer on source chain', srcTxIds); const attests = await xfer.fetchAttestation(600_000); console.log('Got attests', attests); -// Since we're leaving cosmos, this is required to complete the transfer +// Since we're leaving Cosmos, this is required to complete the transfer const dstTxIds = await xfer.completeTransfer(dst.signer); console.log('Completed transfer on destination chain', dstTxIds); \ No newline at end of file From 7d5971242cfd45ca7fdaa705e49e15d21ee74610 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:32:47 -0700 Subject: [PATCH 59/73] Update build/build-apps/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-apps/wormhole-sdk.md | 5 +---- 1 file changed, 1 insertion(+), 4 deletions(-) diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index 8212cb9b1..ab083a5ee 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -151,15 +151,12 @@ Finally, the snippet also demonstrates how to convert a `TokenId` back into a re In the SDK, a `Signer` interface is required for certain methods to sign transactions. This interface can be fulfilled by either a `SignOnlySigner` or a `SignAndSendSigner`, depending on the specific requirements. A signer can be created by wrapping an existing offline wallet or a web wallet. -A `SignOnlySigner` is used in scenarios where the signer is not connected to the network or prefers not to broadcast transactions themselves. It accepts an array of unsigned transactions and returns an array of signed and serialized transactions. Before signing, the transactions may be inspected or altered. It's important to note that the serialization process is chain-specific; for guidance, refer to the linked example implementations. +A `SignOnlySigner` is used in scenarios where the signer is not connected to the network or prefers not to broadcast transactions themselves. It accepts an array of unsigned transactions and returns an array of signed and serialized transactions. Before signing, the transactions may be inspected or altered. It's important to note that the serialization process is chain-specific; refer to the testing signers (e.g., [EVM](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts){target=\_blank} or [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts){target=\_blank}) for an example of how to implement a signer for a specific chain or platform. Conversely, a `SignAndSendSigner` is appropriate when the signer is connected to the network and intends to broadcast the transactions. This type of signer also accepts an array of unsigned transactions but returns an array of transaction IDs, corresponding to the order of the unsigned transactions. ```ts --8<-- 'code/build/build-apps/wormhole-sdk/signers.ts' -``` - -See the testing signers (e.g., [EVM](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/evm/src/signer.ts){target=\_blank} or [Solana](https://github.com/wormhole-foundation/connect-sdk/blob/main/platforms/solana/src/signer.ts){target=\_blank}) for an example of how to implement a signer for a specific chain or platform. ### Protocols {: #protocols} From 9e95244f01f9cb7dcb376eacf5cfc20d3a4a20f0 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:33:41 -0700 Subject: [PATCH 60/73] rev --- build/build-apps/wormhole-sdk.md | 1 + 1 file changed, 1 insertion(+) diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index ab083a5ee..a4ea18f81 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -157,6 +157,7 @@ Conversely, a `SignAndSendSigner` is appropriate when the signer is connected to ```ts --8<-- 'code/build/build-apps/wormhole-sdk/signers.ts' +```` ### Protocols {: #protocols} From 787ed06b246398b38b74d208876f97a480036555 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:51:32 -0700 Subject: [PATCH 61/73] rev --- build/build-apps/wormhole-sdk.md | 8 ++------ 1 file changed, 2 insertions(+), 6 deletions(-) diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index a4ea18f81..79a2d3c8d 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -157,7 +157,7 @@ Conversely, a `SignAndSendSigner` is appropriate when the signer is connected to ```ts --8<-- 'code/build/build-apps/wormhole-sdk/signers.ts' -```` +``` ### Protocols {: #protocols} @@ -184,11 +184,7 @@ The code then waits for the Wormhole network to process and sign the message, tu Lastly, the code will demonstrate how to verify the message on the receiving end. A verification transaction is prepared using the original sender's address and the VAA, and finally this transaction is signed and sent. -```ts ---8<-- 'code/build/build-apps/wormhole-sdk/core-bridge.ts' -``` - -??? code "View the complete script" +???+ code "View the complete script" ```ts --8<-- 'code/build/build-apps/wormhole-sdk/example-core-bridge.ts' ``` From ecc5aae625e2152c03d13ea58ffd9630c166d789 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:52:51 -0700 Subject: [PATCH 62/73] revise --- build/build-apps/.pages | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-apps/.pages b/build/build-apps/.pages index bc67c01cc..c686b3d7a 100644 --- a/build/build-apps/.pages +++ b/build/build-apps/.pages @@ -1,4 +1,4 @@ -title: Build Apps +title: Build Multichain Apps nav: - index.md - 'Wormhole SDK': 'wormhole-sdk.md' From 4939bf2ea5ae2d17ee60dc1d97a41eb13e527b5c Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 14:54:24 -0700 Subject: [PATCH 63/73] revise --- .../build/build-apps/wormhole-sdk/token-bridge-snippet.ts | 8 +++----- 1 file changed, 3 insertions(+), 5 deletions(-) diff --git a/.snippets/code/build/build-apps/wormhole-sdk/token-bridge-snippet.ts b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge-snippet.ts index 1488b364a..34febd240 100644 --- a/.snippets/code/build/build-apps/wormhole-sdk/token-bridge-snippet.ts +++ b/.snippets/code/build/build-apps/wormhole-sdk/token-bridge-snippet.ts @@ -1,9 +1,7 @@ import { signSendWait } from '@wormhole-foundation/sdk'; -// ... - -const tb = await srcChain.getTokenBridge(); // => TokenBridge<'Evm'> +const tb = await srcChain.getTokenBridge(); const token = '0xdeadbeef...'; -const txGenerator = tb.createAttestation(token); // => AsyncGenerator -const txids = await signSendWait(srcChain, txGenerator, src.signer); // => TxHash[] \ No newline at end of file +const txGenerator = tb.createAttestation(token); +const txids = await signSendWait(srcChain, txGenerator, src.signer); \ No newline at end of file From 58d2178e7370ac37bb6366a55a65df0484b320b0 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 15:01:50 -0700 Subject: [PATCH 64/73] rev --- .../wormhole-sdk/example-token-transfer.ts | 38 ------------------- build/build-apps/wormhole-sdk.md | 3 +- 2 files changed, 1 insertion(+), 40 deletions(-) delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/example-token-transfer.ts diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-token-transfer.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-token-transfer.ts deleted file mode 100644 index 92e92baf6..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-token-transfer.ts +++ /dev/null @@ -1,38 +0,0 @@ -const xfer = await wh.tokenTransfer( - route.token, - route.amount, - route.source.address, - route.destination.address, - route.delivery?.automatic ?? false, - route.payload, - route.delivery?.nativeGas -); - -const quote = await TokenTransfer.quoteTransfer( - wh, - route.source.chain, - route.destination.chain, - xfer.transfer -); -console.log(quote); - -if (xfer.transfer.automatic && quote.destinationToken.amount < 0) - throw 'The amount requested is too low to cover the fee and any native gas requested.'; - -// 1) Submit the transactions to the source chain, passing a signer to sign any txns -console.log('Starting transfer'); -const srcTxids = await xfer.initiateTransfer(route.source.signer); -console.log(`Started transfer: `, srcTxids); - -// If automatic, we're done -if (route.delivery?.automatic) return xfer; - -// 2) Wait for the VAA to be signed and ready (not required for auto transfer) -console.log('Getting Attestation'); -const attestIds = await xfer.fetchAttestation(60_000); -console.log(`Got Attestation: `, attestIds); - -// 3) Redeem the VAA on the dest chain -console.log('Completing Transfer'); -const destTxids = await xfer.completeTransfer(route.destination.signer); -console.log(`Completed Transfer: `, destTxids); \ No newline at end of file diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index 79a2d3c8d..d92a87ed1 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -222,9 +222,8 @@ The transfer process is divided into three main steps: For automatic transfers, the process ends after initiation. For manual transfers, the code waits for the transfer to be attested and then completes it on the destination chain. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/example-token-transfer.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/token-bridge.ts:120:158' ``` - ??? code "View the complete script" ```ts hl_lines="122" --8<-- 'code/build/build-apps/wormhole-sdk/token-bridge.ts' From dc972ee15c95cd45d22db7cd011e9ffdccc200c5 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 15:04:04 -0700 Subject: [PATCH 65/73] rev --- .../wormhole-sdk/cctp-example-snippet.ts | 33 ------------------- build/build-apps/wormhole-sdk.md | 5 +-- 2 files changed, 3 insertions(+), 35 deletions(-) delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/cctp-example-snippet.ts diff --git a/.snippets/code/build/build-apps/wormhole-sdk/cctp-example-snippet.ts b/.snippets/code/build/build-apps/wormhole-sdk/cctp-example-snippet.ts deleted file mode 100644 index 72a6ed046..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/cctp-example-snippet.ts +++ /dev/null @@ -1,33 +0,0 @@ - const xfer = await wh.circleTransfer( - req.amount, - src.address, - dst.address, - req.automatic, - undefined, - req.nativeGas -); - -const quote = await CircleTransfer.quoteTransfer( - src.chain, - dst.chain, - xfer.transfer -); -console.log('Quote', quote); - -console.log('Starting Transfer'); -const srcTxids = await xfer.initiateTransfer(src.signer); -console.log(`Started Transfer: `, srcTxids); - -if (req.automatic) { - const relayStatus = await waitForRelay(srcTxids[srcTxids.length - 1]!); - console.log(`Finished relay: `, relayStatus); - return; -} - -console.log('Waiting for Attestation'); -const attestIds = await xfer.fetchAttestation(60_000); -console.log(`Got Attestation: `, attestIds); - -console.log('Completing Transfer'); -const dstTxids = await xfer.completeTransfer(dst.signer); -console.log(`Completed Transfer: `, dstTxids); \ No newline at end of file diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index d92a87ed1..557fe15a6 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -224,6 +224,7 @@ For automatic transfers, the process ends after initiation. For manual transfers ```ts --8<-- 'code/build/build-apps/wormhole-sdk/token-bridge.ts:120:158' ``` + ??? code "View the complete script" ```ts hl_lines="122" --8<-- 'code/build/build-apps/wormhole-sdk/token-bridge.ts' @@ -242,11 +243,11 @@ An optional payload can be included with the transfer, though in this case it's When waiting for the `VAA`, a timeout of `60,000` milliseconds is used. The amount of time required for the VAA to become available will [vary by network](https://developers.circle.com/stablecoin/docs/cctp-technical-reference#mainnet){target=\_blank}. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/cctp-example-snippet.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/cctp.ts:69:112' ``` ??? code "View the complete script" - ```ts hl_lines="122" + ```ts --8<-- 'code/build/build-apps/wormhole-sdk/cctp.ts' ``` From 66551bb43507c555106b09303ab88eec71645744 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 15:28:10 -0700 Subject: [PATCH 66/73] revise --- .../wormhole-sdk/gateway-inbound-example.ts | 21 ---------------- .../gateway-intercosmos-example.ts | 21 ---------------- .../wormhole-sdk/gateway-outbound-example.ts | 24 ------------------- build/build-apps/wormhole-sdk.md | 14 ++++------- 4 files changed, 4 insertions(+), 76 deletions(-) delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/gateway-inbound-example.ts delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/gateway-intercosmos-example.ts delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts diff --git a/.snippets/code/build/build-apps/wormhole-sdk/gateway-inbound-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/gateway-inbound-example.ts deleted file mode 100644 index e6923880e..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/gateway-inbound-example.ts +++ /dev/null @@ -1,21 +0,0 @@ -console.log( - `Beginning transfer into Cosmos from ${ - src.chain.chain - }:${src.address.address.toString()} to ${ - dst.chain.chain - }:${dst.address.address.toString()}` -); - -const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, -} as GatewayTransferDetails); -console.log('Created GatewayTransfer: ', xfer.transfer); - -const srcTxIds = await xfer.initiateTransfer(src.signer); -console.log('Started transfer on source chain', srcTxIds); - -const attests = await xfer.fetchAttestation(600_000); -console.log('Got Attestations', attests); \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/gateway-intercosmos-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/gateway-intercosmos-example.ts deleted file mode 100644 index cc7e02f91..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/gateway-intercosmos-example.ts +++ /dev/null @@ -1,21 +0,0 @@ -console.log( - `Beginning transfer within cosmos from ${ - src.chain.chain - }:${src.address.address.toString()} to ${ - dst.chain.chain - }:${dst.address.address.toString()}` -); - -const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, -} as GatewayTransferDetails); -console.log('Created GatewayTransfer: ', xfer.transfer); - -const srcTxIds = await xfer.initiateTransfer(src.signer); -console.log('Started transfer on source chain', srcTxIds); - -const attests = await xfer.fetchAttestation(60_000); -console.log('Got attests: ', attests); \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts deleted file mode 100644 index d1819b94f..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts +++ /dev/null @@ -1,24 +0,0 @@ -console.log( - `Beginning transfer out of cosmos from ${ - src.chain.chain - }:${src.address.address.toString()} to ${ - dst.chain.chain - }:${dst.address.address.toString()}` -); - -const xfer = await GatewayTransfer.from(wh, { - token: token, - amount: amount, - from: src.address, - to: dst.address, -} as GatewayTransferDetails); -console.log('Created GatewayTransfer: ', xfer.transfer); -const srcTxIds = await xfer.initiateTransfer(src.signer); -console.log('Started transfer on source chain', srcTxIds); - -const attests = await xfer.fetchAttestation(600_000); -console.log('Got attests', attests); - -// Since we're leaving Cosmos, this is required to complete the transfer -const dstTxIds = await xfer.completeTransfer(dst.signer); -console.log('Completed transfer on destination chain', dstTxIds); \ No newline at end of file diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index 557fe15a6..b3db1c1fd 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -253,26 +253,20 @@ When waiting for the `VAA`, a timeout of `60,000` milliseconds is used. The amou ### Gateway Transfers {: #gateway-transfers} -Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. A transfer into Cosmos from outside Cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain). +Gateway transfers are passed through the Wormhole Gateway to or from Cosmos chains. A transfer into Cosmos from outside Cosmos will be automatically delivered to the destination via IBC from the Gateway chain (fka Wormchain). A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/gateway-inbound-example.ts' -``` - -A transfer within Cosmos will use IBC to transfer from the origin to the Gateway chain, then out from the Gateway to the destination chain. - -```ts ---8<-- 'code/build/build-apps/wormhole-sdk/gateway-intercosmos-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/cosmos.ts:152:172' ``` A transfer leaving Cosmos will produce a VAA from the Gateway that must be manually redeemed on the destination chain. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/gateway-outbound-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/cosmos.ts:184:207' ``` ??? code "View the complete script" - ```ts hl_lines="184" + ```ts --8<-- 'code/build/build-apps/wormhole-sdk/cosmos.ts' ``` From bc93e077b995ceddde102f3bc8a63874a4eb7fdd Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 15:29:47 -0700 Subject: [PATCH 67/73] revise --- .../build-apps/wormhole-sdk/recover-transfer-example.ts | 8 -------- build/build-apps/wormhole-sdk.md | 2 +- 2 files changed, 1 insertion(+), 9 deletions(-) delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/recover-transfer-example.ts diff --git a/.snippets/code/build/build-apps/wormhole-sdk/recover-transfer-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/recover-transfer-example.ts deleted file mode 100644 index 0064b2370..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/recover-transfer-example.ts +++ /dev/null @@ -1,8 +0,0 @@ -// Rebuild the transfer from the source txid -const xfer = await CircleTransfer.from(wh, txid); - -const attestIds = await xfer.fetchAttestation(60 * 60 * 1000); -console.log('Got attestation: ', attestIds); - -const dstTxIds = await xfer.completeTransfer(signer); -console.log('Completed transfer: ', dstTxIds); \ No newline at end of file diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index b3db1c1fd..39a0215fa 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -275,7 +275,7 @@ A transfer leaving Cosmos will produce a VAA from the Gateway that must be manua It may be necessary to recover an abandoned transfer before being completed. To do this, instantiate the `Transfer` class with the `from` static method and pass one of several types of identifiers. A `TransactionId` or `WormholeMessageId` may be used to recover the transfer. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/recover-transfer-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/cctp.ts:120:126' ``` ??? code "View the complete script" From 63fab267c23251bc9cab0a07151dcc5e56d5ad43 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 15:32:35 -0700 Subject: [PATCH 68/73] revise --- .../example-resolver-list-tokens.ts | 19 ------------------- .../wormhole-sdk/resolver-create-example.ts | 8 -------- build/build-apps/wormhole-sdk.md | 4 ++-- 3 files changed, 2 insertions(+), 29 deletions(-) delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/example-resolver-list-tokens.ts delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-resolver-list-tokens.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-resolver-list-tokens.ts deleted file mode 100644 index e8d309af9..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-resolver-list-tokens.ts +++ /dev/null @@ -1,19 +0,0 @@ -const srcTokens = await resolver.supportedSourceTokens(sendChain); -console.log( - 'Allowed source tokens: ', - srcTokens.map((t) => canonicalAddress(t)) -); - -const sendToken = Wormhole.tokenId(sendChain.chain, 'native'); - -const destTokens = await resolver.supportedDestinationTokens( - sendToken, - sendChain, - destChain -); -console.log( - 'For the given source token and routes configured, the following tokens may be receivable: ', - destTokens.map((t) => canonicalAddress(t)) -); - -const destinationToken = destTokens[0]!; \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts b/.snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts deleted file mode 100644 index 30597c8d3..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/resolver-create-example.ts +++ /dev/null @@ -1,8 +0,0 @@ -// Create new resolver, passing the set of routes to consider -const resolver = wh.resolver([ - routes.TokenBridgeRoute, // manual token bridge - routes.AutomaticTokenBridgeRoute, // automatic token bridge - routes.CCTPRoute, // manual CCTP - routes.AutomaticCCTPRoute, // automatic CCTP - routes.AutomaticPorticoRoute, // Native eth transfers -]); \ No newline at end of file diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index 39a0215fa..d7189f90b 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -292,13 +292,13 @@ To provide a more flexible and generic interface, the `Wormhole` class provides The following section demonstrates the process of setting up and validating a token transfer using Wormhole's routing system. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/resolver-create-example.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/router.ts:24:31' ``` Once created, the resolver can be used to provide a list of input and possible output tokens. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/example-resolver-list-tokens.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/router.ts:33:53' ``` Once the tokens are selected, a `RouteTransferRequest` may be created to provide a list of routes that can fulfill the request. Creating a transfer request fetches the token details since all routes will need to know about the tokens. From 7feb80e9e795d60495f89a0e75d5d56af9da08a5 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Tue, 13 Aug 2024 15:40:51 -0700 Subject: [PATCH 69/73] revise --- .../wormhole-sdk/example-request-create.ts | 13 ------------- .../wormhole-sdk/example-request-initiate.ts | 2 -- .../wormhole-sdk/example-request-validate.ts | 18 ------------------ build/build-apps/wormhole-sdk.md | 6 +++--- 4 files changed, 3 insertions(+), 36 deletions(-) delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts deleted file mode 100644 index 4d84b3f25..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-request-create.ts +++ /dev/null @@ -1,13 +0,0 @@ -const tr = await routes.RouteTransferRequest.create(wh, { - from: sender.address, - to: receiver.address, - source: sendToken, - destination: destinationToken, -}); - -// Resolve the transfer request to a set of routes that can perform it -const foundRoutes = await resolver.findRoutes(tr); -console.log( - 'For the transfer parameters, we found these routes: ', - foundRoutes -); \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts deleted file mode 100644 index d94f1c003..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-request-initiate.ts +++ /dev/null @@ -1,2 +0,0 @@ -const receipt = await bestRoute.initiate(sender.signer, quote); -console.log('Initiated transfer with receipt: ', receipt); \ No newline at end of file diff --git a/.snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts b/.snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts deleted file mode 100644 index 73207c958..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/example-request-validate.ts +++ /dev/null @@ -1,18 +0,0 @@ -console.log( - 'This route offers the following default options', - bestRoute.getDefaultOptions() -); - -const amt = '0.001'; - -const transferParams = { amount: amt, options: { nativeGas: 0 } }; - -// Validate the transfer params passed -const validated = await bestRoute.validate(transferParams); -if (!validated.valid) throw validated.error; -console.log('Validated parameters: ', validated.params); - -// Get a quote for the transfer -const quote = await bestRoute.quote(validated.params); -if (!quote.success) throw quote.error; -console.log('Best route quote: ', quote); \ No newline at end of file diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index d7189f90b..e12db2067 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -304,7 +304,7 @@ Once created, the resolver can be used to provide a list of input and possible o Once the tokens are selected, a `RouteTransferRequest` may be created to provide a list of routes that can fulfill the request. Creating a transfer request fetches the token details since all routes will need to know about the tokens. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/example-request-create.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/router.ts:55:67' ``` Choosing the best route is currently left to the developer, but strategies might include sorting by output amount or expected time to complete the transfer (no estimate is currently provided). @@ -314,13 +314,13 @@ After choosing the best route, extra parameters like `amount`, `nativeGasDropoff After successful validation, the code requests a transfer quote. This quote likely includes important details such as fees, estimated time, and the final amount to be received. If the quote is generated successfully, it's displayed for the user to review and decide whether to proceed with the transfer. This process ensures that all transfer details are properly set up and verified before any actual transfer takes place. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/example-request-validate.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/router.ts:72:93' ``` Finally, assuming the quote looks good, the route can initiate the request with the quote and the `signer`. ```ts ---8<-- 'code/build/build-apps/wormhole-sdk/example-request-initiate.ts' +--8<-- 'code/build/build-apps/wormhole-sdk/router.ts:100:106' ``` ??? code "View the complete script" From f8c9bbcd9079d0216e2ccdd2f05fbee6b4099c3e Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Mon, 19 Aug 2024 16:05:29 -0700 Subject: [PATCH 70/73] Update build/build-apps/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-apps/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index e12db2067..dfabff281 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -8,7 +8,7 @@ description: Explore Wormhole's Typescript SDK and learn about how to perform di The Wormhole Typescript SDK is useful for interacting with the chains Wormhole supports and the [protocols](#protocols) built on top of Wormhole. !!! warning - This package is a Work in Progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues){target=\_blank} any issues you find. + This package is a work in progress, so the interface may change, and there are likely bugs. Please [report](https://github.com/wormhole-foundation/connect-sdk/issues){target=\_blank} any issues you find. ## Installation {: #installation} From bbac96167f29b700d6e0eabb6b9fc386af861d50 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Mon, 19 Aug 2024 16:05:49 -0700 Subject: [PATCH 71/73] Update build/build-apps/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-apps/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index dfabff281..d3569e67f 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -113,7 +113,7 @@ Wormhole currently supports the following platforms: - Sui - Aptos -See the [Platforms folder of the Typescript SDK](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/platforms){target=\_blank} for an up-to-date list of the platforms supported by the Wormhole Typescript SDK. +See the [Platforms folder of the TypeScript SDK](https://github.com/wormhole-foundation/wormhole-sdk-ts/tree/main/platforms){target=\_blank} for an up-to-date list of the platforms supported by the Wormhole TypeScript SDK. ### Chain Context {: #chain-context} From a1a2ab75439f28efdceb5036510649d2b72c7fa1 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Mon, 19 Aug 2024 16:05:58 -0700 Subject: [PATCH 72/73] Update build/build-apps/wormhole-sdk.md Co-authored-by: Erin Shaben --- build/build-apps/wormhole-sdk.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/build/build-apps/wormhole-sdk.md b/build/build-apps/wormhole-sdk.md index d3569e67f..b5cb51682 100644 --- a/build/build-apps/wormhole-sdk.md +++ b/build/build-apps/wormhole-sdk.md @@ -1,6 +1,6 @@ --- title: Wormhole TS SDK -description: Explore Wormhole's Typescript SDK and learn about how to perform different types of transfers, including Native, Token, USDC, and Gateway Transfers. +description: Explore Wormhole's TypeScript SDK and learn about how to perform different types of transfers, including native, token, USDC, and Gateway transfers. --- # Wormhole TS SDK {: #wormhole-ts-sdk} From d4239425a48071e2a33a582b8ecadc633daea9d4 Mon Sep 17 00:00:00 2001 From: Kevin Neilson Date: Mon, 19 Aug 2024 16:14:06 -0700 Subject: [PATCH 73/73] delete unneeded snippet --- .../build-apps/wormhole-sdk/core-bridge.ts | 31 ------------------- 1 file changed, 31 deletions(-) delete mode 100644 .snippets/code/build/build-apps/wormhole-sdk/core-bridge.ts diff --git a/.snippets/code/build/build-apps/wormhole-sdk/core-bridge.ts b/.snippets/code/build/build-apps/wormhole-sdk/core-bridge.ts deleted file mode 100644 index 4f66b6015..000000000 --- a/.snippets/code/build/build-apps/wormhole-sdk/core-bridge.ts +++ /dev/null @@ -1,31 +0,0 @@ -const wh = await wormhole('Testnet', [solana]); -const chain = wh.getChain('Solana'); -const { signer, address } = await getSigner(chain); -const coreBridge = await chain.getWormholeCore(); - -// Generate transactions, sign and send them -const publishTxs = coreBridge.publishMessage( - // Address of sender (emitter in VAA) - address.address, - // Message to send (payload in VAA) - encoding.bytes.encode('lol'), - // Nonce (user defined, no requirement for a specific value) - 0, - // ConsistencyLevel (ie finality of the message) - 0 -); -// Send the transaction(s) to publish the message -const txids = await signSendWait(chain, publishTxs, signer); - -// Take the last txid in case multiple were sent -const txid = txids[txids.length - 1]; - -// Grab the wormhole message id from the transaction logs or storage -const [whm] = await chain.parseTransaction(txid!.txid); - -// Wait for the vaa to be signed and available with a timeout -const vaa = await wh.getVaa(whm!, 'Uint8Array', 60_000); -console.log(vaa); - -const verifyTxs = coreBridge.verifyMessage(address.address, vaa!); -console.log(await signSendWait(chain, verifyTxs, signer)); \ No newline at end of file