Delivery vs Payment (DvP) is a securities settlement method that ensures the transfer of securities occurs simultaneously with the transfer of payment. This eliminates counterparty risk by guaranteeing that both legs of the transaction execute atomically - either both complete or neither does.
The Problem
When you buy bonds (like commercial paper), traditionally two things need to happen:
- You send money → Seller
- Seller sends bonds → You
If these happen separately, there's risk — what if you pay but never get the bonds? Or vice versa?
The Solution
(DvP) "Delivery vs Payment" means both transfers happen at the exact same moment, or neither happens. It's like a swap where both sides exchange simultaneously.
┌─────────────────────────────────────────────────────┐│ ONE ATOMIC TRANSACTION │├─────────────────────────────────────────────────────┤│ ││ Investor ──── $95,000 USDC ────→ Issuer ││ ││ Issuer ─────── 100 Bonds ──────→ Investor ││ ││ ✅ Both happen together, or neither happens ││ │└─────────────────────────────────────────────────────┘
This guide demonstrates how to implement a complete DvP workflow on Solana using SPL Token 2022 extensions for compliant bond issuance and standard USDC for settlement, all without writing custom Rust programs.
Educational Reference Implementation
You can use the source code of this implementation to try an implementation of DvP locally.
This guide provides a reference implementation for exploration and educational purposes only. Do NOT use this code directly in production without:
- Comprehensive security audits
- Proper key management systems
- Regulatory compliance review
- Legal consultation
- Extensive testing and modifications
Why Solana for DvP?
Solana's architecture provides significant advantages over traditional securities settlement:
| Aspect | Traditional (T+2) | Solana |
|---|---|---|
| Settlement Logic | Clearinghouses | Atomic transaction bundling |
| Settlement Time | 2 days | <1 second |
| Transaction Cost | $50-500 | <$0.01 |
| Counterparty Risk | High (intermediaries) | Zero (atomic execution) |
| Finality | End of day | ~400ms |
Solana's atomic transaction bundling eliminates intermediaries while providing instant, cheap, and secure settlements.
Architecture Overview
The DvP system consists of these core components:
- Bond Token (Commercial Paper): SPL Token 2022 with token extensions
- Settlement Currency: Standard USDC (existing SPL token)
- Settlement Agent: Orchestrates atomic swaps via delegated authority
- Whitelist System: Controls which addresses can hold bonds
Key Design Principles
- No Custom Programs: Uses only SPL Token 2022 extensions and standard USDC
- Atomic Settlement: Single transaction ensures both transfers succeed or fail together
- Default Frozen State: Bonds require explicit whitelisting for regulatory compliance
- Delegated Authority: Settlement agent coordinates without taking custody
- Network State Communication: No point-to-point API connectivity required
┌─────────────────────────────────────────────────────┐│ DvP Settlement Flow │├─────────────────────────────────────────────────────┤│ ││ 1. Bond Creation (Token-2022 + Extensions) ││ └─> Default State: FROZEN ││ └─> Freeze Authority: Settlement Agent/Issuer ││ └─> Token metadata: Bond information ││ ││ 2. Whitelist Participants ││ └─> Whitelist issuer, mint bonds ││ └─> Whitelist investor for trading ││ ││ 3. Delegate Authority to settlement agent ││ ├─> Issuer delegates bonds ││ └─> Investor delegates USDC ││ ││ 4. Atomic Settlement ││ ├─> Transfer bonds: Issuer → Investor ││ └─> Transfer USDC: Investor → Issuer ││ (Both or neither - atomic) ││ │└─────────────────────────────────────────────────────┘
A trusted party that orchestrates the trade. Both sides delegate authority to the settlement agent, who then executes the atomic swap.
┌─────────┐ delegates ┌──────────────────┐ delegates ┌──────────┐│ Issuer │ ─────────────────→ │ Settlement Agent │ ←──────────────── │ Investor │└─────────┘ (bonds) │ (trusted) │ (USDC) └──────────┘│ ││ executes atomic ││ transaction │└──────────────────┘
Bond Token with Token 2022 Extensions
SPL Token 2022 provides powerful extensions that enable compliant securities issuance without custom programs:
Essential Extensions for Bonds
- Default Account State Extension: Sets all new token accounts to frozen by default, requiring explicit whitelisting
- Metadata Extension: Stores bond details on-chain (ISIN, maturity date, coupon rate, etc.)
- Permanent Delegate (optional): Allows authorized recovery or clawback if required by regulation
Authority Configuration
- Mint Authority: Issuer (controls supply creation)
- Freeze Authority: Settlement Agent (manages whitelist)
- Update Authority: Settlement Agent (can update metadata)
The frozen default state is critical for regulatory compliance. It ensures that only explicitly whitelisted addresses can receive and hold the securities, meeting KYC/AML requirements.
Complete DvP Implementation
Setting Up the DvP Engine
First, create the core DvP engine class that handles all operations:
import {Connection,Keypair,PublicKey,Transaction,SystemProgram,sendAndConfirmTransaction,LAMPORTS_PER_SOL} from "@solana/web3.js";import {approve,thawAccount,freezeAccount,getAccount,getAssociatedTokenAddress,getOrCreateAssociatedTokenAccount,createTransferCheckedInstruction,TOKEN_2022_PROGRAM_ID,TOKEN_PROGRAM_ID,ExtensionType,getMintLen,createInitializeMintInstruction,createInitializeDefaultAccountStateInstruction,createInitializeMetadataPointerInstruction,AccountState,LENGTH_SIZE,TYPE_SIZE} from "@solana/spl-token";import {pack,createInitializeInstruction,createUpdateFieldInstruction,type TokenMetadata} from "@solana/spl-token-metadata";interface BondTokenConfig {name: string;symbol: string;decimals: number;maturityDate: Date;couponRate: number;isin?: string;description?: string;}interface DvPParams {bondMint: PublicKey;usdcMint: PublicKey;bondAmount: number;usdcAmount: number;issuer: PublicKey;investor: PublicKey;}interface DvPResult {signature: string;bondAmount: number;usdcAmount: number;timestamp: Date;bondsSent: boolean;usdcReceived: boolean;}/*** DvP Engine - Reference Implementation** This implementation demonstrates Delivery vs Payment (DvP) on Solana using:* - SPL Token 2022 with Default Account State extension for bonds* - Standard USDC for settlement* - Atomic transactions for settlement* - Delegated authority pattern for settlement agent** ⚠️ IMPORTANT: This is a reference implementation for educational purposes.* Do NOT use in production without proper audits and security reviews.*/export class DvPEngine {private connection: Connection;private settlementAgent: Keypair;constructor(connection: Connection, settlementAgent: Keypair) {this.connection = connection;this.settlementAgent = settlementAgent;}/*** Creates a bond token using Token-2022 with Default Account State and Metadata extensions* Bonds are frozen by default and require whitelisting* Metadata is stored on-chain using the TokenMetadata extension*/async createBondToken(issuer: Keypair,config: BondTokenConfig): Promise<PublicKey> {console.log("\n🏗️ Creating bond token with Token-2022 + Metadata...");console.log(` Name: ${config.name}`);console.log(` Symbol: ${config.symbol}`);console.log(` Coupon Rate: ${config.couponRate}%`);console.log(` Maturity: ${config.maturityDate.toISOString().split("T")[0]}`);// Generate new keypair for the mintconst mintKeypair = Keypair.generate();// Create the metadata object to get EXACT sizeconst metadata: TokenMetadata = {mint: mintKeypair.publicKey,name: config.name,symbol: config.symbol,uri: config.description || "",additionalMetadata: [["couponRate", config.couponRate.toString()],["maturityDate", config.maturityDate.toISOString()],["isin", config.isin || ""]]};// Size of metadata using pack() - this gives us the EXACT sizeconst metadataLen = pack(metadata).length;// Size of MetadataExtension: 2 bytes for type, 2 bytes for lengthconst metadataExtension = TYPE_SIZE + LENGTH_SIZE;// Calculate space for mint with extensions (without metadata)const extensions = [ExtensionType.DefaultAccountState,ExtensionType.MetadataPointer];const spaceWithoutMetadataExtension = getMintLen(extensions);// Calculate rent for FULL space (mint + metadata + TLV overhead)const lamports = await this.connection.getMinimumBalanceForRentExemption(spaceWithoutMetadataExtension + metadataLen + metadataExtension);// Build transaction following the official docs patternconst transaction = new Transaction().add(// 1. Create account with just base space, but rent for full spaceSystemProgram.createAccount({fromPubkey: issuer.publicKey,newAccountPubkey: mintKeypair.publicKey,space: spaceWithoutMetadataExtension, // Just base spacelamports, // But rent for full space (includes metadata + TLV)programId: TOKEN_2022_PROGRAM_ID}),// 2. Initialize metadata pointer (before mint!)createInitializeMetadataPointerInstruction(mintKeypair.publicKey,issuer.publicKey, // authoritymintKeypair.publicKey, // metadata address (self)TOKEN_2022_PROGRAM_ID),// 3. Initialize default account state (frozen)createInitializeDefaultAccountStateInstruction(mintKeypair.publicKey,AccountState.Frozen,TOKEN_2022_PROGRAM_ID),// 4. Initialize mintcreateInitializeMintInstruction(mintKeypair.publicKey,config.decimals,issuer.publicKey, // mint authoritythis.settlementAgent.publicKey, // freeze authorityTOKEN_2022_PROGRAM_ID),// 5. Initialize metadatacreateInitializeInstruction({programId: TOKEN_2022_PROGRAM_ID,mint: mintKeypair.publicKey,metadata: mintKeypair.publicKey,name: config.name,symbol: config.symbol,uri: config.description || "",mintAuthority: issuer.publicKey,updateAuthority: this.settlementAgent.publicKey}));// 6. Add custom metadata fieldsfor (const [field, value] of metadata.additionalMetadata) {if (value) {transaction.add(createUpdateFieldInstruction({programId: TOKEN_2022_PROGRAM_ID,metadata: mintKeypair.publicKey,updateAuthority: this.settlementAgent.publicKey,field: field,value: value}));}}// Send transactionawait sendAndConfirmTransaction(this.connection,transaction,[issuer, mintKeypair, this.settlementAgent],{ commitment: "confirmed" });console.log(`✅ Bond token created: ${mintKeypair.publicKey.toBase58()}`);console.log(` Mint Authority: ${issuer.publicKey.toBase58()}`);console.log(` Freeze Authority: ${this.settlementAgent.publicKey.toBase58()}`);console.log(` Update Authority: ${this.settlementAgent.publicKey.toBase58()}`);console.log(` Default State: FROZEN (requires whitelisting)`);console.log(` ✨ Metadata: ON-CHAIN`);return mintKeypair.publicKey;}/*** Whitelists a participant by creating their bond account and thawing it*/async whitelist(bondMint: PublicKey,participant: PublicKey,payer: Keypair): Promise<PublicKey> {console.log(`\n🔓 Whitelisting participant: ${participant.toBase58()}`);// Get or create token account (will be frozen by default if new)const bondAccount = await getOrCreateAssociatedTokenAccount(this.connection,payer,bondMint,participant,false,"confirmed",{ commitment: "confirmed" },TOKEN_2022_PROGRAM_ID);console.log(` Account: ${bondAccount.address.toBase58()}`);// Only thaw if the account is frozenif (bondAccount.isFrozen) {await thawAccount(this.connection,this.settlementAgent,bondAccount.address,bondMint,this.settlementAgent,[],{ commitment: "confirmed" },TOKEN_2022_PROGRAM_ID);console.log(`✅ Participant whitelisted and account thawed`);} else {console.log(`✅ Participant already whitelisted (account was not frozen)`);}return bondAccount.address;}/*** Removes an investor from whitelist by freezing their account*/async removeFromWhitelist(bondMint: PublicKey,investorBondAccount: PublicKey): Promise<void> {console.log(`\n🔒 Removing from whitelist: ${investorBondAccount.toBase58()}`);await freezeAccount(this.connection,this.settlementAgent,investorBondAccount,bondMint,this.settlementAgent,[],{ commitment: "confirmed" },TOKEN_2022_PROGRAM_ID);console.log(`✅ Account frozen and removed from whitelist`);}/*** Delegates authority to settlement agent for a token account*/async delegateAuthority(owner: Keypair,tokenAccount: PublicKey,amount: number,decimals: number,programId: PublicKey): Promise<void> {const amountWithDecimals = amount * Math.pow(10, decimals);console.log(`\n🤝 Delegating authority...`);console.log(` Account: ${tokenAccount.toBase58()}`);console.log(` Amount: ${amount}`);console.log(` Delegate: ${this.settlementAgent.publicKey.toBase58()}`);await approve(this.connection,owner,tokenAccount,this.settlementAgent.publicKey,owner.publicKey,amountWithDecimals,[],{ commitment: "confirmed" },programId);console.log(`✅ Authority delegated`);}/*** Executes atomic DvP settlement* Both bond and USDC transfers happen in a single transaction*/async executeDvP(params: DvPParams): Promise<DvPResult> {console.log(`\n⚡ Executing atomic DvP settlement...`);console.log(` Bonds: ${params.bondAmount}`);console.log(` USDC: ${params.usdcAmount}`);console.log(` Issuer: ${params.issuer.toBase58()}`);console.log(` Investor: ${params.investor.toBase58()}`);// Get all associated token account addresses (deterministically)const issuerBondAccount = await getAssociatedTokenAddress(params.bondMint,params.issuer,false, // allowOwnerOffCurveTOKEN_2022_PROGRAM_ID);const investorBondAccount = await getAssociatedTokenAddress(params.bondMint,params.investor,false,TOKEN_2022_PROGRAM_ID);const investorUSDCAccount = await getAssociatedTokenAddress(params.usdcMint,params.investor,false,TOKEN_PROGRAM_ID);const issuerUSDCAccount = await getAssociatedTokenAddress(params.usdcMint,params.issuer,false,TOKEN_PROGRAM_ID);// Build atomic transactionconst transaction = new Transaction();// Add bond transfer instruction (Issuer → Investor)transaction.add(this.createTransferCheckedIx(issuerBondAccount,params.bondMint,investorBondAccount,params.bondAmount,0, // bonds have 0 decimalsTOKEN_2022_PROGRAM_ID));// Add USDC transfer instruction (Investor → Issuer)transaction.add(this.createTransferCheckedIx(investorUSDCAccount,params.usdcMint,issuerUSDCAccount,params.usdcAmount * 1e6, // USDC has 6 decimals6,TOKEN_PROGRAM_ID));// Send atomic transactionconsole.log(`\n📡 Sending atomic transaction...`);const signature = await sendAndConfirmTransaction(this.connection,transaction,[this.settlementAgent],{ commitment: "confirmed" });console.log(`✅ DvP SETTLED ATOMICALLY`);console.log(` Signature: ${signature}`);console.log(` Bonds transferred: ${params.bondAmount}`);console.log(` USDC transferred: ${params.usdcAmount}`);return {signature,bondAmount: params.bondAmount,usdcAmount: params.usdcAmount,timestamp: new Date(),bondsSent: true,usdcReceived: true};}/*** Helper to create a transferChecked instruction using delegated authority*/private createTransferCheckedIx(source: PublicKey,mint: PublicKey,destination: PublicKey,amount: number,decimals: number,programId: PublicKey) {return createTransferCheckedInstruction(source,mint,destination,this.settlementAgent.publicKey, // Settlement agent acts via delegationamount,decimals,[],programId);}/*** Gets account information for inspection*/async getAccountInfo(tokenAccount: PublicKey, programId: PublicKey) {const account = await getAccount(this.connection,tokenAccount,"confirmed",programId);return {address: tokenAccount,mint: account.mint,owner: account.owner,amount: account.amount,isFrozen: account.isFrozen};}/*** Airdrops SOL for testing (devnet/testnet only)*/async airdropSol(publicKey: PublicKey, amount: number): Promise<void> {console.log(`\n💰 Airdropping ${amount} SOL to ${publicKey.toBase58()}`);const signature = await this.connection.requestAirdrop(publicKey,amount * LAMPORTS_PER_SOL);await this.connection.confirmTransaction(signature, "confirmed");console.log(`✅ Airdrop complete`);}}
Complete Usage Example
Here's a complete example demonstrating the entire DvP workflow:
import { Connection, Keypair, clusterApiUrl, PublicKey } from "@solana/web3.js";import {getOrCreateAssociatedTokenAccount,mintTo,TOKEN_2022_PROGRAM_ID,TOKEN_PROGRAM_ID} from "@solana/spl-token";// Standard USDC mint address on mainnetconst USDC_MINT = new PublicKey("EPjFWdd5AufqSSqeM2qN1xzybapC8G4wEGGkZwyTDt1v");async function runDvPExample() {// 1. Initialize connection and keypairsconst connection = new Connection(clusterApiUrl("devnet"));const settlementAgent = Keypair.generate();const issuer = Keypair.generate();const investor = Keypair.generate();console.log("🚀 Starting DvP Workflow\n");// 2. Initialize DvP engineconst dvp = new DvPEngine(connection, settlementAgent);// 3. Airdrop SOL for transaction fees (devnet only)await dvp.airdropSol(settlementAgent.publicKey, 2);await dvp.airdropSol(issuer.publicKey, 2);await dvp.airdropSol(investor.publicKey, 2);// 4. Create commercial paper (bond) token with metadataconst bondMint = await dvp.createBondToken(issuer, {name: "ACME Commercial Paper Series A",symbol: "ACME-CP-A",decimals: 0, // Bonds are whole unitsmaturityDate: new Date("2026-12-31"),couponRate: 4.5, // 4.5% annual couponisin: "US0000000001",description: "https://acme.com/bonds/series-a"});// 5. Whitelist issuer and mint bondsconsole.log("\n🏦 Whitelisting issuer for bond holding...");const issuerBondAccount = await dvp.whitelist(bondMint,issuer.publicKey,settlementAgent);console.log("\n💰 Minting 100 bonds to issuer...");await mintTo(connection,issuer,bondMint,issuerBondAccount,issuer,100, // 100 bonds[],{ commitment: "confirmed" },TOKEN_2022_PROGRAM_ID);// 6. Whitelist investor (KYC/AML approved)await dvp.whitelist(bondMint, investor.publicKey, settlementAgent);// 7. Setup USDC for investorconsole.log("\n💵 Setting up USDC for investor...");const investorUSDCAccount = await getOrCreateAssociatedTokenAccount(connection,investor,USDC_MINT,investor.publicKey,false,"confirmed",{ commitment: "confirmed" },TOKEN_PROGRAM_ID);// In production, investor would acquire USDC from exchange/market// For this example, assume they have 95,000 USDC// 8. Delegate authority to settlement agentconsole.log("\n🔐 Delegating authority to settlement agent...");// Issuer delegates bondsawait dvp.delegateAuthority(issuer,issuerBondAccount,100, // 100 bonds0, // 0 decimalsTOKEN_2022_PROGRAM_ID);// Investor delegates USDCawait dvp.delegateAuthority(investor,investorUSDCAccount.address,95000, // $95,0006, // USDC decimalsTOKEN_PROGRAM_ID);// 9. Execute atomic DvP settlementconsole.log("\n⚡ Executing atomic DvP settlement...");console.log(" Terms: 100 bonds @ $950 each = $95,000\n");const result = await dvp.executeDvP({bondMint,usdcMint: USDC_MINT,bondAmount: 100,usdcAmount: 95000,issuer: issuer.publicKey,investor: investor.publicKey});console.log("\n✨ Settlement complete!");console.log(` Transaction: ${result.signature}`);console.log(` Timestamp: ${result.timestamp.toISOString()}`);console.log(` View on explorer: https://explorer.solana.com/tx/${result.signature}?cluster=devnet`);// 10. Verify balancesconsole.log("\n🔍 Verifying final balances...");const issuerBondInfo = await dvp.getAccountInfo(issuerBondAccount,TOKEN_2022_PROGRAM_ID);console.log(` Issuer bonds: ${issuerBondInfo.amount}`);const investorBondInfo = await dvp.getAccountInfo(await getAssociatedTokenAddress(bondMint,investor.publicKey,false,TOKEN_2022_PROGRAM_ID),TOKEN_2022_PROGRAM_ID);console.log(` Investor bonds: ${investorBondInfo.amount}`);console.log(` Investor frozen: ${investorBondInfo.isFrozen}`);}// Run the examplerunDvPExample().catch(console.error);
Additional Features
Updating Metadata
The settlement agent (with update authority) can update metadata fields:
import { createUpdateFieldInstruction } from "@solana/spl-token-metadata";async function updateBondMetadata(connection: Connection,settlementAgent: Keypair,bondMint: PublicKey,field: string,value: string): Promise<void> {const transaction = new Transaction().add(createUpdateFieldInstruction({programId: TOKEN_2022_PROGRAM_ID,metadata: bondMint,updateAuthority: settlementAgent.publicKey,field: field,value: value}));await sendAndConfirmTransaction(connection, transaction, [settlementAgent]);}
Removing from Whitelist
Remove an investor's ability to hold bonds by freezing their account using the
built-in removeFromWhitelist method:
await dvp.removeFromWhitelist(bondMint, investorBondAccount);
Freezing vs Burning
Freezing an account prevents transfers but preserves the account and balance. For complete removal, you may want to first transfer bonds back to the issuer, then freeze the account.
Multi-Party Settlement
For more complex scenarios involving multiple parties, you can bundle multiple transfers into a single atomic transaction:
import { sendAndConfirmTransaction } from "@solana/web3.js";import { createTransferCheckedInstruction } from "@solana/spl-token";interface TransferLeg {from: PublicKey;to: PublicKey;mint: PublicKey;amount: number;decimals: number;programId: PublicKey;}async function executeMultiPartyDvP(connection: Connection,settlementAgent: Keypair,legs: TransferLeg[]): Promise<string> {const transaction = new Transaction();// Add all transfer legs to single transactionfor (const leg of legs) {const fromAccount = await getAssociatedTokenAddress(leg.mint,leg.from,false,leg.programId);const toAccount = await getAssociatedTokenAddress(leg.mint,leg.to,false,leg.programId);// Add transfer instruction using delegated authoritytransaction.add(createTransferCheckedInstruction(fromAccount,leg.mint,toAccount,settlementAgent.publicKey, // Uses delegated authorityleg.amount * Math.pow(10, leg.decimals),leg.decimals,[],leg.programId));}// All legs settle atomically - either all succeed or all failconst signature = await sendAndConfirmTransaction(connection,transaction,[settlementAgent],{ commitment: "confirmed" });console.log(`✅ Multi-party DvP settled: ${legs.length} legs`);return signature;}
Transaction Size Limits
Solana transactions have a size limit (~1232 bytes). Each transfer instruction adds ~200 bytes. For very large multi-party settlements, consider using Address Lookup Tables to compress account addresses and fit more transfers per transaction.
Production Considerations
Before deploying to production, ensure you address:
- Security: Professional key management infrastructure, multi-sig controls, comprehensive audits of the codebase
- Regulatory Compliance: Securities registration, KYC/AML systems, transfer restrictions, and legal framework
- Key Management: Professional custody solutions with proper backup and recovery procedures
- Transaction Processing: Priority fees, retry logic, confirmation handling, and RPC redundancy for reliable settlement execution
- Operations: Settlement scheduling, failed trade handling, reconciliation, and customer support
- Monitoring: Real-time tracking, alerting, and automated regulatory reporting
SPL Token Limitation
SPL Token accounts can only have one delegate at a time. This means for multi-party scenarios, you may need to design around this constraint by using multiple sequential delegations or different architectural patterns.
Inspecting Account State
The DvPEngine includes a helper to inspect token account state. This is useful
for verifying whitelist status, confirming settlement completion, debugging
transfer issues, and auditing account states.
// Get detailed account informationconst accountInfo = await dvp.getAccountInfo(investorBondAccount,TOKEN_2022_PROGRAM_ID);console.log("Account Information:");console.log(` Address: ${accountInfo.address.toBase58()}`);console.log(` Mint: ${accountInfo.mint.toBase58()}`);console.log(` Owner: ${accountInfo.owner.toBase58()}`);console.log(` Balance: ${accountInfo.amount}`);console.log(` Frozen: ${accountInfo.isFrozen}`);
Next Steps
After understanding the basics of DvP on Solana:
-
Explore Token Extensions: Learn about other Token 2022 extensions like Transfer Hooks for additional compliance features
-
Regulatory Deep Dive: Consult with legal experts on securities regulations in your jurisdiction
-
Production Architecture: Design robust key management, monitoring, and disaster recovery systems
Conclusion
Solana's atomic transaction model and Token 2022 extensions provide a powerful foundation for implementing compliant DvP settlements for securities. The combination of:
- Native atomic execution (no smart contract risk)
- Sub-second finality
- Near-zero transaction costs
- Built-in compliance features (frozen defaults, metadata)
Makes Solana an ideal platform for modernizing securities settlement infrastructure.
However, moving from this educational reference to production requires significant additional work around security, compliance, custody, and operations. Always work with qualified legal, regulatory, and technical experts when dealing with securities tokenization.