Home
Welcome to Sui Community Forum
Bounty Posts
+50
Expert Q&ABolke 252Aug 22, 2025How to Maximize Profit Holding SUI: Sui Staking vs Liquid Staking
I'm looking for comprehensive answers to help the community understand the best strategies for earning with SUI tokens. This bounty is for detailed, well-researched responses that cover all aspects of SUI token earning opportunities. Questions seeking detailed answers: Sui Staking vs Liquid Staking What are the key differences between traditional staking and liquid staking on Sui? Which validators offer the best rewards and why? What are the risks and benefits of each approach? How do lock-up periods compare? Gas costs and operational differences? What are the Best Ways to Earn While Holding SUI? What are ALL available earning methods for SUI holders? DeFi protocols offering SUI yield farming opportunities Lending platforms that accept SUI LP provision strategies and best pairs Any other passive income methods? How to Maximize Profit from SUI Holdings? Step-by-step strategy for different portfolio sizes (small, medium, large holders) Risk management techniques Timing strategies for entering/exiting positions Tax considerations and optimization Tools and platforms for tracking performance
- Sui
615+15
Expert Q&ABolke 252Aug 12, 2025Sui Move Error - Unable to process transaction No valid gas coins found for the transaction
When I do this: // Split payment from primary coin const [paymentCoin] = tx.splitCoins( tx.object(primaryCoin.coinObjectId), [tx.pure.u64(requiredPaymentAmount)] ); // Use the original coin for gas payment tx.setGasPayment([{ objectId: primaryCoin.coinObjectId, version: primaryCoin.version, digest: primaryCoin.digest }]); tx.setGasBudget(10_000_000); It complains about mutatable objects cannot appear more than one in one transaction. When I remove the gas payment, it complains "Unable to process transaction No valid gas coins found for the transaction.". My contract function accepts .01 sui in exchange for an NFT
- Sui
- Transaction Processing
- Move
419
- 4902
- 4662
- 4340
- 4168
- 3039
- 3036
- 3014
- 2984
- 2947
- 2773
New Articles
- Sui: Reimagining Blockchain ArchitectureArticletheking1784Sep 06, 2025
Blockchain has reached a point where innovation depends not only on new features but on rethinking its very structure. Sui created by Mysten Labs is one of the boldest experiments in this direction. Unlike most blockchains that record every transaction in a single global ledger Sui treats digital assets as individual objects. This design is a major shift that gives developers and users a faster safer and more flexible environment. Traditional blockchains force transactions into a single queue. That design resembles many people editing the same document which often causes congestion and slows performance. Sui avoids this limitation by assigning each token contract or non fungible token its own object state. With this design transactions that involve unrelated objects can run in parallel. The result is more throughput lower latency and a smoother user experience. Objects in Sui are divided into three groups. Owned objects are controlled by one user and can finalize transactions in roughly 250 milliseconds. Shared objects involve multiple users such as liquidity pools and require consensus to confirm. Immutable objects are read only and need no consensus at all. This categorization ensures that simple personal actions move at lightning speed while shared systems still maintain fairness and consistency. The consensus protocol that powers shared objects is called Mysticeti. It replaces the repetitive back and forth voting of traditional Byzantine Fault Tolerant protocols with a directed acyclic graph structure. Validators reference previous blocks instead of engaging in multiple communication rounds. When enough validators reference the same block the block is finalized. This reduces network overhead and allows shared transactions to settle in less than half a second. Mysticeti also permits validators to propose blocks simultaneously which prevents bottlenecks if one validator becomes slow. Transaction processing in Sui follows two distinct paths. Owned objects use the fast path that skips consensus and validates quickly. Shared objects use the consensus path where Mysticeti provides ordering and ensures safety. In both cases validators check version histories of objects to prevent conflicts and to maintain integrity. The programming backbone of Sui is the Move language adapted from Meta’s Diem project. Move is resource oriented which means assets are treated as unique items that cannot be copied or deleted by mistake. This eliminates the risk of double spending or unintentional loss. The language is strongly typed so all operations are checked at compile time. Developers organize code into modules which makes it easier to reuse and maintain. move module sui::object { struct UID has store { id: address } struct Object has key { id: UID, data: T } } A key feature of Move is its type abilities which define how resources behave. With this system developers can build complex decentralized applications with confidence that assets will be managed safely. For example the article presents a Pokémon card marketplace written in Sui Move. The code demonstrates minting NFTs listing and delisting them and managing purchases complete with event emissions for tracking. Each function executes atomically which means either every step succeeds or nothing is changed. This guarantees clean and predictable outcomes. move public struct Marketplace has key, store { id UID, fee_bps u64, fee_dest address, listings vector, listed u64 } move public fun mint_card(creator: &signer, marketplace: &mut Marketplace, name: vector, uri: vector, price: u64) { let card = Card { id: object::new(creator), name, uri, price, listed: false }; vector::push_back(&mut marketplace.listings, card); marketplace.listed = marketplace.listed + 1; } The marketplace also implements functions to list and delist cards ensuring that every transaction follows strict rules. move public fun list_card(marketplace: &mut Marketplace, card_id: ID, price: u64) { let idx = find_card_index(&marketplace.listings, card_id); let card = &mut marketplace.listings[idx]; card.price = price; card.listed = true; emit(ListEvent { card_id, price }); } move public fun delist_card(marketplace: &mut Marketplace, card_id: ID) { let idx = find_card_index(&marketplace.listings, card_id); let card = &mut marketplace.listings[idx]; card.listed = false; emit(DelistEvent { card_id }); } Purchases are managed with safety checks and fees. move public fun purchase_card(marketplace: &mut Marketplace, buyer: &signer, card_id: ID, payment: Coin) { let idx = find_card_index(&marketplace.listings, card_id); let card = &mut marketplace.listings[idx]; assert!(card.listed, ECardNotListed); assert!(coin::value(&payment) >= card.price, EInsufficientBalance); let fee = card.price * marketplace.fee_bps / 10000; let seller_amount = card.price - fee; coin::transfer(payment, seller_amount, card.owner); coin::transfer(payment, fee, marketplace.fee_dest); card.listed = false; emit(PurchaseEvent { card_id, buyer: signer::address_of(buyer) }); } The marketplace code highlights how events can be used for indexing and how constants define maximum supply metadata limits and clear error codes so that developers and users alike understand why a transaction fails. This structured design results in systems that are both efficient and reliable. What sets Sui apart is not only speed but balance. By combining an object centric model with a fast consensus engine and a secure language Sui solves challenges of scalability without sacrificing safety. Developers benefit from parallelism and modular programming while users experience transactions that complete nearly instantly. From DeFi to NFTs and beyond Sui creates an environment where decentralized applications can finally deliver performance closer to Web2 experiences.
0 - On-Chain Royalty Systems in Move: Design Patterns and Marketplace CompatibilityArticleSep 04, 2025
Royalties remain one of the most debated aspects of NFT economics. On Sui, where NFTs are first-class objects, we have the chance to design royalty enforcement directly into Move smart contracts in a way that is both secure and marketplace-compatible. This article explores where royalty logic should live, the trade-offs between per-NFT and shared-manager designs, and patterns for multi-recipient splits and upgrades. Why Royalties Matter on Sui NFT royalties serve two goals: Artist/creator sustainability: enabling creators to earn on secondary sales. Protocol consistency: ensuring royalty enforcement works across marketplaces, not just at mint. Because Sui is object-centric, royalties can be attached either: Inside the NFT itself, making every token self-describing. In a shared royalty manager, centralizing enforcement and policy. Option A: Embedding Royalties Inside NFTs How it works Each NFT includes a Royalty field in its struct, storing recipient(s) and percentage. Marketplaces must read this field and enforce payout logic on transfers. Pros Self-contained: royalties travel with the NFT object. Immutable by default: if designed without upgrade hooks, prevents tampering. Creator-friendly: no external dependencies. Cons Duplication: every NFT stores its own royalty data. Harder upgrades: changing distribution requires burning/migrating NFTs. Fragmentation risk: inconsistent enforcement if marketplaces parse fields differently. Option B: Shared Royalty Manager How it works A shared RoyaltyManager object stores mappings of CollectionID -> RoyaltyPolicy. NFTs reference their collection’s policy via an ID. On resale, the marketplace queries the manager for splits. Pros Consistency: all NFTs in a collection follow the same policy. Upgradability: publishers can update policy (with capability controls). Efficiency: no duplication of royalty data inside every NFT. Cons Centralization risk: depends on the manager object being trusted and maintained. Complexity: marketplaces must implement standard calls to query the manager. Governance required: clear rules needed for who can update policies. Multi-Recipient Splits Whether royalties live in NFTs or a shared manager, creators often want splits (e.g., 70% artist, 20% developer, 10% DAO). Pattern: Store a vector representing recipient and basis points. At sale, iterate and distribute via transfer::public_transfer. For gas efficiency, cap the number of recipients or aggregate smaller ones off-chain. Upgradeability NFT-embedded royalties: upgrade requires new NFTs or wrapping. Shared manager: upgradeable via witness/capability pattern. Example: RoyaltyCap token grants update rights only to the collection creator. Marketplace Compatibility For royalties to work across Sui: Marketplaces must agree on a royalty standard (field schema or manager interface). Off-chain indexers (explorers, analytics) should surface royalty policies for transparency. Projects should publish open-source royalty modules so marketplaces can integrate directly. Recommendation For small, independent artists → embed royalties inside NFTs (simplicity, self-sovereignty). For large collections or evolving DAOs → use a shared RoyaltyManager (scalable, upgradable). In practice, the most future-proof design is hybrid: NFTs reference a RoyaltyManager but also embed a “minimum royalty” field. Marketplaces must honor at least the minimum, while the manager can coordinate upgrades or splits. Conclusion Royalty enforcement on Sui is not just a technical choice but also a governance and trust design. By leveraging Move’s object-centric model, developers can: Keep royalties immutable at the token level when trust minimization is critical. Use shared managers for collections that need flexibility and multi-party coordination. Ensure marketplace adoption by converging on standards for querying and enforcing royalties.
5 - The Anatomy of a Secure DAO on Sui: Voting, Roles, and ObjectsArticleBigSneh1911Sep 04, 2025
Decentralized Autonomous Organizations (DAOs) are a natural fit for Sui’s object-centric model. Unlike Ethereum-style smart contracts where governance often relies on storage mappings, Sui encourages structuring governance around Move objects. This leads to gas-efficient, modular, and secure designs. In this post, we’ll explore how to design a secure DAO on Sui, focusing on voting, role-based permissions, and proposal execution. Why Objects Instead of Mappings? On Ethereum, DAOs often store proposals, votes, and roles in mappings (e.g., mapping(uint => Proposal)). This works, but updating global storage can become costly and prone to contention. On Sui, each proposal and each role can be its own object: Proposals are owned or shared objects. Votes can be lightweight objects linked to proposals. Roles are represented as capabilities — tokens that grant permissions. This object-based model is inherently parallelizable and minimizes hotspots in shared state. Core DAO Components DAO Root Object Tracks governance parameters (quorum, proposal threshold, etc.). Shared object, but kept tiny to reduce conflicts. Proposal Objects Each proposal is a separate object created when a member submits one. Stores metadata (description, deadline, vote counts). Vote Objects Each vote is an owned object submitted by a member. Proposal object tallies results by consuming or referencing votes. Roles via Capabilities AdminCap: allows upgrading DAO parameters. MemberCap: allows creating proposals and voting. These capabilities are distributed at DAO creation and can later be delegated. Sample Code: Roles + Proposal Voting module dao::governance { use sui::object::{Self, UID}; use sui::tx_context::TxContext; use sui::transfer; use std::option; /// Root DAO object struct DAO has key { id: UID, quorum: u64, proposal_count: u64, } /// Capability for admin operations struct AdminCap has key, store { id: UID } /// Capability for members struct MemberCap has key, store { id: UID } /// Proposal object struct Proposal has key { id: UID, proposer: address, description: vector, yes_votes: u64, no_votes: u64, executed: bool, } /// Initialize DAO with one admin public entry fun init(ctx: &mut TxContext): (DAO, AdminCap) { let dao = DAO { id: object::new(ctx), quorum: 10, proposal_count: 0 }; let cap = AdminCap { id: object::new(ctx) }; (dao, cap) } /// Add a member capability (admin only) public entry fun add_member(dao: &mut DAO, _admin: &AdminCap, ctx: &mut TxContext): MemberCap { MemberCap { id: object::new(ctx) } } /// Create a proposal public entry fun propose( dao: &mut DAO, _member: &MemberCap, description: vector, ctx: &mut TxContext ): Proposal { dao.proposal_count = dao.proposal_count + 1; Proposal { id: object::new(ctx), proposer: tx_context::sender(ctx), description, yes_votes: 0, no_votes: 0, executed: false, } } /// Cast a vote public entry fun vote(p: &mut Proposal, support: bool) { if (support) { p.yes_votes = p.yes_votes + 1; } else { p.no_votes = p.no_votes + 1; } } /// Execute a proposal (if quorum met) public entry fun execute(dao: &DAO, p: &mut Proposal) { assert!(p.executed == false, 1); assert!(p.yes_votes >= dao.quorum, 2); p.executed = true; // DAO-specific logic (e.g., transfer funds, change params) goes here } } Security Considerations Resource Safety: Capabilities (AdminCap, MemberCap) enforce who can act — no need to track roles in global storage. Replay Protection: Ensure votes can’t be double-counted by consuming Vote objects. Gas Efficiency: Proposals and votes are independent objects, so transactions can run in parallel without clashing. Upgradability: DAO parameters (e.g., quorum) live in the root DAO object, adjustable only by AdminCap. Best Practices Keep the DAO root object small — don’t store vectors of all proposals or votes inside it. Use dynamic fields or references only when absolutely necessary. Push heavy analytics (e.g., full voting history) off-chain via events. Build for parallelism: independent proposals and votes should not block each other. Consider capability delegation if your DAO wants sub-committees or role hierarchies. Conclusion Sui’s object-based model enables DAOs that are more parallel, gas-efficient, and secure than traditional mapping-based governance. By structuring proposals, votes, and roles as objects, developers can create governance systems that scale gracefully while minimizing contention.
1 - Countering Regulatory and Compliance Hurdles in Sui ArchitectureArticleNeeola25Aug 31, 2025
Sui’s global design faces regulatory scrutiny, like KYC/AML gaps, hindering enterprise adoption in 2025. Step-by-step solution: Assess Regulations: Research jurisdiction-specific rules. Integrate Compliance Tools: Add zk-proofs for privacy. Audit for Standards: Certify with firms. Governance Alignment: Propose compliant features. Educate Stakeholders: Host webinars. Monitor Changes: Track legal updates.
0 - Sui validators: Securing the network and enabling hybrid execution.ArticleAug 29, 2025
If you're trying to understand how validators work in the Sui blockchain, you’ll need to look at how they help maintain the network’s integrity and performance. Validators are responsible for processing transactions, reaching consensus, and securing the blockchain. In Sui, they play a unique role because of the network’s hybrid execution model. When transactions involve shared objects—like assets used by multiple users—validators use Byzantine Fault Tolerant (BFT) consensus to agree on the outcome. But when transactions involve only owned objects, they can be finalized instantly without full consensus. This setup allows you to enjoy both speed and security depending on the type of transaction. To become a validator, you need to run a node and stake SUI tokens. The more tokens you stake, the more weight your validator has in the consensus process. You also earn rewards based on your performance and reliability. If you’re building an app or running a service on Sui, understanding how validators work helps you design systems that interact efficiently with the network. One challenge you might face is deciding whether your app should use shared or owned objects. Shared objects require consensus and are slower to process, but they’re useful when multiple users need access to the same data—like in a multiplayer game or a decentralized exchange. Owned objects are faster and ideal for personal assets like wallets, profiles, or collectibles. By designing your app to minimize shared object usage, you can improve performance and reduce costs. Here’s a simple example of how you might define a shared counter object in Move: module example::SharedCounter { struct Counter has key { id: UID, value: u64, } public fun create(): Counter { Counter { id: UID::new(), value: 0 } } public fun increment(counter: &mut Counter) { counter.value = counter.value + 1; } public fun get_value(counter: &Counter): u64 { counter.value } } This counter can be shared across users, but every update will require consensus. If you redesign it to use owned counters, each user can manage their own without waiting for network agreement. Validators also help manage gas fees and transaction prioritization. When you submit a transaction, you include a gas payment, and validators choose which transactions to process based on these bids. This system keeps fees predictable and ensures that high-priority transactions are handled quickly.
1 - Sui's object-centric model: A departure from traditional blockchains.ArticleAug 29, 2025
If you're trying to understand Sui’s object-centric data model, you’ll find that it’s one of the key innovations that sets this blockchain apart. Instead of using a traditional account-based system like Ethereum, Sui treats all assets and smart contract states as individual objects. Each object has a unique ID, an owner, and a type, and it can be updated, transferred, or interacted with independently. This design allows the network to process transactions in parallel, which means you can build apps that are faster and more scalable. When you create an object in Sui, it becomes a first-class citizen of the blockchain. You don’t just store values in an account—you define objects with specific behaviors and properties. For example, a token isn’t just a number in a wallet; it’s an object with metadata, ownership rules, and logic for how it can be transferred or modified. This gives you more control and flexibility when designing your application’s architecture. One of the biggest benefits of this model is that it allows for parallel execution. If two transactions interact with different objects, they can be processed at the same time without waiting for each other. This solves a major problem in traditional blockchains where every transaction has to be ordered and confirmed sequentially. With Sui, you can build systems that respond instantly and scale to millions of users without slowing down. To work with objects, you’ll use the Move programming language. Move is designed to handle resources safely, and Sui extends it with features like dynamic fields and object ownership. You can define custom object types, write methods to interact with them, and enforce rules about who can access or modify them. This makes it easier to build secure and modular smart contracts. Here’s a simple example of how you might define a user profile object in Move: module example::UserProfile { struct Profile has key { id: UID, name: vector, age: u8, owner: address, } public fun create(name: vector, age: u8, owner: address): Profile { Profile { id: UID::new(), name, age, owner, } } public fun update_age(profile: &mut Profile, new_age: u8) { profile.age = new_age; } public fun get_name(profile: &Profile): vector { profile.name } } This module lets you create a profile object, update its age, and retrieve its name. You can expand this to include more fields or behaviors depending on your app’s needs.
1 - How Sui's unique architecture is designed to solve common blockchain bottlenecks.ArticleAug 27, 2025
If you're exploring how Sui compares to traditional blockchains, you’ll quickly notice that its design focuses on solving performance and scalability issues that older systems struggle with. Most blockchains, like Bitcoin and Ethereum, use an account-based model where transactions are processed one after another. This sequential processing creates bottlenecks, especially when many users interact with the network at the same time. Sui takes a different approach by using an object-based model, which allows it to process multiple transactions in parallel as long as they don’t touch the same object. This means you can build apps that respond faster and scale more easily. You also benefit from Sui’s unique consensus mechanism. Instead of applying consensus to every transaction, Sui only uses it when necessary—specifically for shared objects. For simple transfers or updates to owned objects, the network can finalize transactions instantly. This hybrid model gives you both speed and security, which is ideal if you're building real-time applications like games, marketplaces, or social platforms. Another key difference is how Sui handles smart contracts. While Ethereum uses Solidity, Sui relies on Move, a language designed for secure asset management. Move treats assets as resources that can’t be copied or lost, which helps prevent common bugs and exploits. You’ll find that Move’s strict rules make your code safer and easier to audit, especially when dealing with financial or ownership logic. Sui also improves the user experience by offering predictable gas fees. Instead of fluctuating wildly during high traffic, fees are managed through a market-based system where users bid for execution. This gives you more control over costs and helps your app stay affordable for users. If you're coming from another blockchain ecosystem, you’ll need to adjust to Sui’s object-centric mindset. Instead of thinking in terms of accounts and balances, you’ll work with objects that have unique IDs, owners, and states. This model is more flexible and lets you build complex systems with fine-grained control over behavior and access.
1 - How Sui's unique architecture enables high-performance decentralized applicationsArticleAug 27, 2025
If you're trying to understand what makes Sui different from other blockchains, you need to look at how it handles scalability and performance. Sui is built to process transactions in parallel, which means it doesn’t have to wait for one transaction to finish before starting another. This is possible because Sui uses an object-based model where each asset or data point is treated as a separate object with its own ownership and state. When two transactions don’t touch the same object, they can be executed at the same time without conflict. This design helps you avoid the bottlenecks that slow down traditional blockchains like Ethereum. You also benefit from Sui’s ability to scale horizontally. Instead of relying on a single chain to handle all activity, Sui spreads the load across multiple validators and uses a consensus mechanism only when necessary. For example, if you’re sending tokens between wallets and those tokens are not shared objects, the transaction can be finalized instantly without going through full consensus. This makes Sui ideal for applications that need fast response times, like games or social platforms. Another advantage you’ll notice is how Sui handles gas fees. Instead of fixed fees or unpredictable spikes, Sui uses a market-based system where users bid for execution. This keeps fees stable and gives you more control over transaction costs. If you’re building an app, this means your users won’t be surprised by sudden fee increases during peak times. When you start developing on Sui, you’ll interact with its object-centric model through the Move programming language. Move is designed to be safe and flexible, and Sui adds features like dynamic fields and object ownership to make it even more powerful. You’ll write modules that define how objects behave, and you’ll deploy them using the Sui CLI or SDK. This gives you full control over your app’s logic and data flow. Here’s a basic example of how you might define a simple token object in Move: module example::Token { struct Token has key { id: UID, value: u64, owner: address, } public fun mint(owner: address, value: u64): Token { Token { id: UID::new(), value, owner, } } public fun transfer(token: &mut Token, new_owner: address) { token.owner = new_owner; } public fun get_value(token: &Token): u64 { token.value } } This module lets you mint a token, transfer it to a new owner, and check its value. You can build on this to create more complex behaviors like staking, burning, or locking tokens.
1 - Getting Started with the Sui Blockchain: What You Need to KnowArticleAug 27, 2025
If you're new to Sui, you're stepping into a blockchain ecosystem designed for speed, scalability, and developer flexibility. Sui is a Layer 1 blockchain built by Mysten Labs that uses a unique object-based data model and the Move programming language to power decentralized applications. Unlike traditional blockchains that rely on account-based systems, Sui treats everything as an object, which allows it to process transactions in parallel and scale horizontally. To get started, you need to understand how Sui differs from other blockchains. Most chains like Ethereum process transactions sequentially, which can slow things down and increase fees. Sui avoids this by allowing independent transactions to be executed simultaneously. This is possible because each object in Sui has a unique ID and ownership, so the system can easily determine whether two transactions conflict or not. One of the first challenges you might face is understanding how assets are represented. In Sui, assets are objects with defined properties and behaviors. You don’t just send tokens—you interact with objects that can evolve, be transferred, or modified. This opens up new possibilities for building complex applications like games, marketplaces, and social platforms. Another hurdle is learning the Move language. Move was originally developed for Facebook’s Libra project and is designed to be safe and flexible. Sui extends Move with features like dynamic fields and object ownership, which makes it easier to build secure and modular smart contracts. If you’re coming from Solidity or Rust, you’ll need to adjust to Move’s strict type system and resource-oriented programming model. To start building, you’ll want to install the Sui CLI and connect to a testnet. The CLI lets you create wallets, send transactions, and deploy packages. You’ll also need the Sui SDK, which provides tools for integrating with the blockchain from your app. Once you’ve set up your environment, you can begin writing Move modules and testing them locally. Here’s a simple example of a Move module that defines a basic counter object: module example::Counter { struct Counter has key { value: u64, } public fun create(): Counter { Counter { value: 0 } } public fun increment(counter: &mut Counter) { counter.value = counter.value + 1; } public fun get_value(counter: &Counter): u64 { counter.value } } This module creates a counter object, lets you increment it, and retrieve its value. You can deploy this to Sui and interact with it using the CLI or SDK. As you build, you’ll run into questions about gas fees, validator roles, and transaction finality. Sui uses a unique consensus model that separates simple and complex transactions. Simple transactions that don’t involve shared objects can be finalized almost instantly, while complex ones go through a Byzantine Fault Tolerant (BFT) consensus process. This hybrid approach keeps the network fast and secure. To manage gas fees, Sui uses a market-based system where users bid for execution. This keeps fees predictable and fair, especially during high demand. Validators play a key role in maintaining the network, and you can stake SUI tokens to support them and earn rewards.
1 - Wallet Integration and UX Patterns using Sui SDKs 🚀ArticleD’versacy 59Aug 26, 2025
Are you struggling to integrate wallet connections and design a seamless user experience for signing operations? 🤔 Do you want to learn how to create a user-friendly flow that minimizes errors and rejections? 📊 Look no further! In this article, we'll provide a step-by-step approach to integrate wallet adapters, design user flows, and handle errors gracefully. Choose Wallet Adapter Pattern 🔌 Use established wallet adapters or write a thin adapter layer that normalizes wallet APIs (connect, sign, send). Typical Front-end Flow 📈 Connect wallet and request account(s) 🔗 Show human-readable summary of the transaction (amounts, object moves) 📝 Request signature with signTransactionBlock 🔒 Submit and show pending state + final effects ⏱️ Error & Retry UX 🔄 Provide clear messages for gas/insufficient funds 💸 Offer “retry with increased gas” automatically or with user confirmation 🔁 Allow “simulate” transactions to show estimated costs before asking to sign 🔍 Security Considerations 🔒 Never send raw private keys to backend 🚫 Use signMessage for off-chain proof-of-ownership rather than sending txs unnecessarily 🔑 Best Practices 💡 By following these step-by-step guidelines, you'll be able to: Create a seamless user experience for wallet connections and signing operations Handle errors and rejections gracefully Ensure security and transparency in your application Happy building!
1
Posts
928- Expert Q&ADrey50Sep 30, 2025
Effective Strategies for Building and Deploying dApps on the Sui Blockchain as a Web3 Developer
Main Question: How can I effectively build and deploy decentralized applications (dApps) on the Sui blockchain as a Web3 developer? Subs: What development tools and SDKs should I use to interact with the Sui blockchain efficiently? How do I write, test, and optimize Move smart contracts for performance and security on the Sui network? What are the best practices for integrating wallet support and managing user transactions within a Sui-based dApp?
- Sui
- Architecture
- SDKs and Developer Tools
- NFT Ecosystem
22 - Expert Q&ABig Mike270Sep 29, 2025
Achieving Cross-Shard Composability in Sui Smart Contracts
What’s the optimal strategy for implementing cross-shard composability in Sui smart contracts without introducing bottlenecks from shared object dependencies?
- Sui
- Architecture
- SDKs and Developer Tools
- Security Protocols
11 - Expert Q&A0xF1RTYB00B5120Sep 29, 2025
Designing High-Throughput Payment Channels on Sui
How can I architect high-throughput payment channels on Sui that leverage object mutability while ensuring liveness under partial validator failures?
- Sui
- Architecture
- SDKs and Developer Tools
- Transaction Processing
28 - Expert Q&ASep 27, 2025
Cross-Domain Identity Portability
How can I design a cross-domain identity system in Sui that remains portable across other Move-based blockchains without breaking capability security?
- Sui
- Architecture
- Transaction Processing
- Security Protocols
- NFT Ecosystem
03 - Expert Q&ASep 27, 2025
Gas-Efficient Oracle Aggregation
What’s the most efficient way to encode oracle aggregation logic on Sui to prevent manipulation while minimizing gas costs for data consumers?
- Sui
- Architecture
- Transaction Processing
- Security Protocols
- NFT Ecosystem
05 - Expert Q&ASep 27, 2025
Scaling AMM Liquidity Pools with Parallelism
What’s the best approach for building automated market maker (AMM) pools in Sui that exploit object-based parallelism for scaling liquidity?
- Sui
- Architecture
- Transaction Processing
- Security Protocols
- NFT Ecosystem
04 - Expert Q&ASep 27, 2025
Multi-Asset Staking Mechanisms
What strategies can I use to implement multi-asset staking in Sui where reward distribution dynamically adjusts without locking the underlying pools?
- Sui
- Architecture
- Transaction Processing
- Security Protocols
- NFT Ecosystem
25 - Expert Q&AChamp✊🏻69Sep 21, 2025
Sharding On-Chain Games in Sui.
What's the recommended strategy for sharding state-heavy on-chain games in Sui to fully leverage parallel execution of Move transactions?
- Sui
- Architecture
- Transaction Processing
34 - Expert Q&ABigLoba50Sep 21, 2025
Tiered Access Control Using Capabilities
What’s the correct approach to building tiered access controls in Sui using capabilities, while preventing privilege escalation across composable modules?
- Sui
05 - Expert Q&AHaywhy 49Sep 21, 2025
Flash Loan Safety in Sui Move
what's the optimal way to implement flash loan mechanisms in sui while preventing re-entrancy and shared and object lock exploits?
- Sui
- Architecture
- SDKs and Developer Tools
- NFT Ecosystem
- Move
05
Sui is a Layer 1 protocol blockchain designed as the first internet-scale programmable blockchain platform.
- Sui
- Architecture
- SDKs and Developer Tools
- Move
- Transaction Processing
- Security Protocols
- NFT Ecosystem