# https://docs.base.org/ llms-full.txt ## Base Documentation [Skip to content](https://docs.base.org/#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Overview On this page Chevron Right # Base Documentation Base is a secure, low-cost, builder-friendly Ethereum L2 built to bring the next billion users onchain. Base is incubated within Coinbase and plans to progressively decentralize in the years ahead. We believe that decentralization is critical to creating an open, global cryptocurrency that is accessible to everyone. ## Browse by use cases [**Onboard anyone** \\ \\ Let users sign up and sign in with Smart Wallet — the universal account for the onchain world.](https://docs.base.org/use-cases/onboard-any-user) [**Accept crypto payments** \\ \\ Integrate secure and efficient crypto payment solutions for your applications.](https://docs.base.org/use-cases/accept-crypto-payments) [**Launch AI agents** \\ \\ Build and deploy AI agents that can interact with onchain data and smart contracts.](https://docs.base.org/use-cases/launch-ai-agents) [**Create engaging social experiences** \\ \\ Add decentralized social features in your app for new content and identity.](https://docs.base.org/use-cases/decentralize-social-app) [**DeFi your app** \\ \\ Integrate DeFi protocols and services directly into your applications.](https://docs.base.org/use-cases/defi-your-app) [**Remove first-timer friction** \\ \\ Enable gasless transactions and account abstraction solutions.](https://docs.base.org/use-cases/go-gasless) ## Browse by tools [**OnchainKit** \\ \\ Build an app in 10 minutes with this all-in-one toolkit and full-stack components.](https://docs.base.org/builderkits/onchainkit/getting-started) [**Smart Wallet** \\ \\ A passkey-based universal account to connect with the onchain world.](https://docs.base.org/identity/smart-wallet/introduction/install-web) [**AgentKit** \\ \\ Give every AI agent a crypto wallet and the ability to transact and interact onchain.](https://docs.cdp.coinbase.com/agentkit/docs/welcome) [**Paymaster** \\ \\ Build gasless apps with bundled infrastructure. Start with free credits.](https://docs.cdp.coinbase.com/paymaster/docs/welcome) [**MiniKit** \\ \\ Feature your mini app on Warpcast and Coinbase Wallet with a few lines of code..](https://replit.com/@tina-he/ock-frames-template?v=1#README.md) [**Verifications** \\ \\ Identify high-quality users and build compliant apps with verifiable attestations.](https://docs.cdp.coinbase.com/verifications/docs/welcome) We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Onchain App Quickstart [Skip to content](https://docs.base.org/quickstart#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Quickstart On this page Chevron Right Welcome to the Base quickstart guide! In this walkthrough, we'll create a simple onchain app from start to finish. Whether you're a seasoned developer or just starting out, this guide has got you covered. ## What You'll Achieve By the end of this quickstart, you'll have built an onchain app by: - Configuring your development environment - Deploying your smart contracts to Base - Interacting with your deployed contracts from the frontend Our simple app will be an onchain tally app which lets you add to a total tally, stored onchain, by pressing a button. ## Set Up Your Development Environment ### Bootstrap with OnchainKit OnchainKit is a library of ready-to-use React components and Typescript utilities for building onchain apps. Run the following command in your terminal and follow the prompts to bootstrap your project. Terminal Terminal ```vocs_Code Copynpm create onchain@latest ``` The prompots will ask you for a CDP API Key which you can get [here](https://portal.cdp.coinbase.com/projects/api-keys/client-key). Once you've gone through the prompts, you'll have a new project directory with a basic OnchainKit app. Run the following to see it live. Terminal Terminal ```vocs_Code Copycd my-onchainkit-app npm install npm run dev ``` You should see the following screen. ![OnchainKit Template](https://docs.base.org/images/onchainkit/quickstart.png) Once we've deployed our contracts, we'll add a button that lets us interact with our contracts. ### Install and initialize Foundry The total tally will be stored onchain in a smart contract. We'll use the Foundry framework to deploy our contract to the Base Sepolia testnet. 1. Create a new "contracts" folder in the root of your project Terminal Terminal ```vocs_Code Copymkdir contracts && cd contracts ``` 2. Install and initialize Foundry Terminal Terminal ```vocs_Code Copycurl -L https://foundry.paradigm.xyz | bash foundryup forge init --no-git ``` Open the project and find the `Counter.sol` contract file in the `/contracts/src` folder. You'll find the simple logic for our tally app. ### Configure Foundry with Base To deploy your smart contracts to Base, you need two key components: 1. A node connection to interact with the Base network 2. A funded private key to deploy the contract Let's set up both of these: - Create a `.env` file in your `contracts` directory and add the Base and Base Sepolia RPC URLs Terminal contracts/.env ```vocs_Code CopyBASE_RPC_URL="https://mainnet.base.org" BASE_SEPOLIA_RPC_URL="https://sepolia.base.org" ``` -Load your environment variables Terminal Terminal ```vocs_Code Copysource .env ``` ### Secure your private key A private key with testnet funds is required to deploy the contract. You can generate a fresh private key [here](https://visualkey.link/). 1. Store your private key in Foundry's secure keystore Terminal Terminal ```vocs_Code Copycast wallet import deployer --interactive ``` 2. When prompted enter your private key and a password. Your private key is stored in `~/.foundry/keystores` which is not tracked by git. ## Deploy Your Contracts Now that your environment is set up, let's deploy your contracts to Base Sepolia. The foundry project provides a deploy script that will deploy the Counter.sol contract. ### Run the deploy script 1. Use the following command to compile and deploy your contract Terminal Terminal ```vocs_Code Copyforge create ./src/Counter.sol:Counter --rpc-url $BASE_SEPOLIA_RPC_URL --account deployer ``` Note the format of the contract being deployed is `:`. ### Save the contract address After successful deployment, the transaction hash will be printed to the console output Copy the deployed contract address and add it to your `.env` file ```vocs_Code CopyCOUNTER_CONTRACT_ADDRESS="0x..." ``` ### Load the new environment variable Terminal Terminal ```vocs_Code Copysource .env ``` ### Verify Your Deployment To ensure your contract was deployed successfully: 1. Check the transaction on [Sepolia Basescan](https://sepolia.basescan.org/). 2. Use the `cast` command to interact with your deployed contract from the command line ```vocs_Code Copycast call $COUNTER_CONTRACT_ADDRESS "number()(uint256)" --rpc-url $BASE_SEPOLIA_RPC_URL ``` This will return the initial value of the Counter contract's `number` storage variable, which will be `0`. **Congratulations! You've deployed your smart contract to Base Sepolia!** Now lets connect the frontend to interact with your recently deployed contract. ## Interacting with your contract To interact with the smart contract logic, we need to submit an onchain transaction. We can do this easily with the `TransactionDefault` component. This is a simplified version of the `Transaction` component, designed to streamline the integration process. Instead of manually defining each subcomponent and prop, we can use this shorthand version which renders our suggested implementation of the component and includes the `TransactionButton` and `TransactionToast` components. ### Add the `TransactionDefault` component Lets add the `TransactionDefault` component to our `page.tsx` file. Delete the existing content in the `main` tag and replace it with the snippet below. File page.tsx ```vocs_Code Copyimport { TransactionDefault } from '@coinbase/onchainkit/transaction'; import { calls } from '@/calls';
; ``` ### Defining the contract calls In the previous code snippet, you'll see we imported `calls` from the `calls.ts` file. This file provides the details needed to interact with our contract and call the `increment` function. Create a new `calls.ts` file in the same folder as your `page.tsx` file and add the following code. File calls.ts ```vocs_Code Copyconst counterContractAddress = '0x...'; // add your contract address here const counterContractAbi = [\ {\ type: 'function',\ name: 'increment',\ inputs: [],\ outputs: [],\ stateMutability: 'nonpayable',\ },\ ] as const; export const calls = [\ {\ address: counterContractAddress,\ abi: counterContractAbi,\ functionName: 'increment',\ args: [],\ },\ ]; ``` ### Testing the component Now, when you connect a wallet and click on the `Transact` button and approve the transaction, it will increment the tally onchain by one. We can verify that the onchain count took place onchain by once again using `cast` to call the `number` function on our contract. Terminal Terminal ```vocs_Code Copycast call $COUNTER_CONTRACT_ADDRESS "number()(uint256)" --rpc-url $BASE_SEPOLIA_RPC_URL ``` If the transaction was successful, the tally should have incremented by one! We now have a working onchain tally app! While the example is simple, it illustrates the end to end process of building on onchain app. We: - Configured a project with frontend and onchain infrastructure - Deployed a smart contract to Base Sepolia - Interacted with the contract from the frontend ## Further Improvements This is just the beginning. There are many ways we can improve upon this app. For example, we could: - Make the `increment` transaction gasless by integrating with [Paymaster](https://docs.base.org/builderkits/onchainkit/transaction/transaction#sponsor-with-paymaster-capabilities) - Improve the wallet connection and sign up flow with the [WalletModal](https://docs.base.org/builderkits/onchainkit/wallet/wallet-modal) component - Add onchain [Identity](https://docs.base.org/builderkits/onchainkit/identity/identity) so we know who added the most recent tally We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Base Documentation [Skip to content](https://docs.base.org/#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Overview On this page Chevron Right # Base Documentation Base is a secure, low-cost, builder-friendly Ethereum L2 built to bring the next billion users onchain. Base is incubated within Coinbase and plans to progressively decentralize in the years ahead. We believe that decentralization is critical to creating an open, global cryptocurrency that is accessible to everyone. ## Browse by use cases [**Onboard anyone** \\ \\ Let users sign up and sign in with Smart Wallet — the universal account for the onchain world.](https://docs.base.org/use-cases/onboard-any-user) [**Accept crypto payments** \\ \\ Integrate secure and efficient crypto payment solutions for your applications.](https://docs.base.org/use-cases/accept-crypto-payments) [**Launch AI agents** \\ \\ Build and deploy AI agents that can interact with onchain data and smart contracts.](https://docs.base.org/use-cases/launch-ai-agents) [**Create engaging social experiences** \\ \\ Add decentralized social features in your app for new content and identity.](https://docs.base.org/use-cases/decentralize-social-app) [**DeFi your app** \\ \\ Integrate DeFi protocols and services directly into your applications.](https://docs.base.org/use-cases/defi-your-app) [**Remove first-timer friction** \\ \\ Enable gasless transactions and account abstraction solutions.](https://docs.base.org/use-cases/go-gasless) ## Browse by tools [**OnchainKit** \\ \\ Build an app in 10 minutes with this all-in-one toolkit and full-stack components.](https://docs.base.org/builderkits/onchainkit/getting-started) [**Smart Wallet** \\ \\ A passkey-based universal account to connect with the onchain world.](https://docs.base.org/identity/smart-wallet/introduction/install-web) [**AgentKit** \\ \\ Give every AI agent a crypto wallet and the ability to transact and interact onchain.](https://docs.cdp.coinbase.com/agentkit/docs/welcome) [**Paymaster** \\ \\ Build gasless apps with bundled infrastructure. Start with free credits.](https://docs.cdp.coinbase.com/paymaster/docs/welcome) [**MiniKit** \\ \\ Feature your mini app on Warpcast and Coinbase Wallet with a few lines of code..](https://replit.com/@tina-he/ock-frames-template?v=1#README.md) [**Verifications** \\ \\ Identify high-quality users and build compliant apps with verifiable attestations.](https://docs.cdp.coinbase.com/verifications/docs/welcome) We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Base Documentation [Skip to content](https://docs.base.org/chain/#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Overview On this page Chevron Right We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Smart Contract Learning [Skip to content](https://docs.base.org/learn/welcome#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Welcome On this page Chevron Right ![Welcome](https://docs.base.org/images/learn/welcome/Base_Learn_Hero.png) ## Introduction Welcome to Base Learn, your guide to learning smart contract development. Base Learn's curriculum has been expertly crafted to equip you with the skills and knowledge needed to build and deploy smart contracts on Base, or any EVM-compatible chain, including Ethereum, Optimism, and many more. Plus, you'll be eligible to earn NFTs as you complete each module, showcasing your mastery of the material. Whether you're a curious novice or a seasoned pro looking to stay ahead of the game, our dynamic lessons cater to all levels of experience. You can start with the basics and work your way up, or dive straight into the more advanced concepts and push your limits to new heights. Begin your journey today! ## What you can learn in this program Base Learn covers the following topics. If you're looking for quickstarts, or deeper guides on advanced topics, check out our [Base Builder Tutorials](https://docs.base.org/tutorials/)! ### [Ethereum Applications](https://docs.base.org/learn/introduction-to-ethereum/ethereum-applications) - Describe the origin and goals of the Ethereum blockchain - List common types of applications that can be developed with the Ethereum blockchain - Compare and contrast Web2 vs. Web3 development - Compare and contrast the concept of "ownership" in Web2 vs. Web3 ### [Gas Use in Ethereum Transactions](https://docs.base.org/learn/introduction-to-ethereum/gas-use-in-eth-transactions) - Explain what gas is in Ethereum - Explain why gas is necessary in Ethereum - Understand how gas works in Ethereum transactions ### [EVM Diagram](https://docs.base.org/learn/introduction-to-ethereum/evm-diagram) - Diagram the EVM ### [Setup and Overview](https://docs.base.org/learn/hardhat-setup-overview/hardhat-setup-overview-sbs) - Install and create a new Hardhat project with Typescript support - Describe the organization and folder structure of a Hardhat project - List the use and properties of hardhat.config.ts ### [Testing with Hardhat and Typechain](https://docs.base.org/learn/hardhat-testing/hardhat-testing-sbs) - Set up TypeChain to enable testing - Write unit tests for smart contracts using Mocha, Chai, and the Hardhat Toolkit - Set up multiple signers and call smart contract functions with different signers ### [Etherscan](https://docs.base.org/learn/etherscan/etherscan-sbs) - List some of the features of Etherscan - Read data from the Bored Ape Yacht Club contract on Etherscan - Write data to a contract using Etherscan. ### [Deploying Smart Contracts](https://docs.base.org/learn/hardhat-deploy/hardhat-deploy-sbs) - Deploy a smart contract to the Base Sepolia Testnet with hardhat-deploy - Deploy a smart contract to the Sepolia Testnet with hardhat-deploy - Use BaseScan to view a deployed smart contract ### [Verifying Smart Contracts](https://docs.base.org/learn/hardhat-verify/hardhat-verify-sbs) - Verify a deployed smart contract on Etherscan - Connect a wallet to a contract in Etherscan - Use etherscan to interact with your own deployed contract ### [Hardhat Forking](https://docs.base.org/learn/hardhat-forking/hardhat-forking) - Use Hardhat Network to create a local fork of mainnet and deploy a contract to it - Utilize Hardhat forking features to configure the fork for several use cases ### ['Introduction to Remix'](https://docs.base.org/learn/introduction-to-solidity/introduction-to-remix) - List the features, pros, and cons of using Remix as an IDE - Deploy and test the Storage.sol demo contract in Remix ### [Deployment in Remix](https://docs.base.org/learn/introduction-to-solidity/deployment-in-remix) - Deploy and test the Storage.sol demo contract in Remix ### [Hello World](https://docs.base.org/learn/contracts-and-basic-functions/hello-world-step-by-step) - Construct a simple "Hello World" contract - List the major differences between data types in Solidity as compared to other languages - Select the appropriate visibility for a function ### [Basic Types](https://docs.base.org/learn/contracts-and-basic-functions/basic-types) - Categorize basic data types - List the major differences between data types in Solidity as compared to other languages - Compare and contrast signed and unsigned integers ### [Test Networks](https://docs.base.org/learn/deployment-to-testnet/test-networks) - Describe the uses and properties of the Base testnet - Compare and contrast Ropsten, Rinkeby, Goerli, and Sepolia ### [Deployment to Base Sepolia](https://docs.base.org/learn/deployment-to-testnet/deployment-to-base-sepolia-sbs) - Deploy a contract to the Base Sepolia testnet and interact with it in \[BaseScan\] ### [Contract Verification](https://docs.base.org/learn/deployment-to-testnet/contract-verification-sbs) - Verify a contract on the Base Sepolia testnet and interact with it in \[BaseScan\] ### [Control Structures](https://docs.base.org/learn/control-structures/control-structures) - Control code flow with `if`, `else`, `while`, and `for` - List the unique constraints for control flow in Solidity - Utilize `require` to write a function that can only be used when a variable is set to `true` - Write a `revert` statement to abort execution of a function in a specific state - Utilize `error` to control flow more efficiently than with `require` ### [Storing Data](https://docs.base.org/learn/storage/simple-storage-sbs) - Use the constructor to initialize a variable - Access the data in a public variable with the automatically generated getter - Order variable declarations to use storage efficiently ### [How Storage Works](https://docs.base.org/learn/storage/how-storage-works) - Diagram how a contract's data is stored on the blockchain (Contract -> Blockchain) - Order variable declarations to use storage efficiently - Diagram how variables in a contract are stored (Variable -> Contract) ### [Arrays](https://docs.base.org/learn/arrays/arrays-in-solidity) - Describe the difference between storage, memory, and calldata arrays ### [Filtering an Array](https://docs.base.org/learn/arrays/filtering-an-array-sbs) - Write a function that can return a filtered subset of an array ### [Mappings](https://docs.base.org/learn/mappings/mappings-sbs) - Construct a Map (dictionary) data type - Recall that assignment of the Map data type is not as flexible as for other data types/in other languages - Restrict function calls with the `msg.sender` global variable - Recall that there is no collision protection in the EVM and why this is (probably) ok ### [Function Visibility and State Mutability](https://docs.base.org/learn/advanced-functions/function-visibility) - Categorize functions as public, private, internal, or external based on their usage - Describe how pure and view functions are different than functions that modify storage ### [Function Modifiers](https://docs.base.org/learn/advanced-functions/function-modifiers) - Use modifiers to efficiently add functionality to multiple functions ### [Structs](https://docs.base.org/learn/structs/structs-sbs) - Construct a `struct` (user-defined type) that contains several different data types - Declare members of the `struct` to maximize storage efficiency - Describe constraints related to the assignment of `struct` s depending on the types they contain ### [Inheritance](https://docs.base.org/learn/inheritance/inheritance-sbs) - Write a smart contract that inherits from another contract - Describe the impact inheritance has on the byte code size limit ### [Multiple Inheritance](https://docs.base.org/learn/inheritance/multiple-inheritance) - Write a smart contract that inherits from multiple contracts ### [Abstract Contracts](https://docs.base.org/learn/inheritance/abstract-contracts-sbs) - Use the virtual, override, and abstract keywords to create and use an abstract contract ### [Imports](https://docs.base.org/learn/imports/imports-sbs) - Import and use code from another file - Utilize OpenZeppelin contracts within Remix ### [Error Triage](https://docs.base.org/learn/error-triage/error-triage) - Debug common solidity errors including transaction reverted, out of gas, stack overflow, value overflow/underflow, index out of range, etc. ### [The New Keyword](https://docs.base.org/learn/new-keyword/new-keyword-sbs) - Write a contract that creates a new contract with the new keyword ### ['Contract to Contract Interaction'](https://docs.base.org/learn/interfaces/contract-to-contract-interaction) - Use interfaces to allow a smart contract to call functions in another smart contract - Use the `call()` function to interact with another contract without using an interface ### [Events](https://docs.base.org/learn/events/hardhat-events-sbs) - Write and trigger an event - List common uses of events - Understand events vs. smart contract storage ### [Address and Payable in Solidity](https://docs.base.org/learn/address-and-payable/address-and-payable) - Differentiate between address and address payable types in Solidity - Determine when to use each type appropriately in contract development - Employ address payable to send Ether and interact with payable functions ### [Minimal Token](https://docs.base.org/learn/minimal-tokens/minimal-token-sbs) - Construct a minimal token and deploy to testnet - Identify the properties that make a token a token ### [The ERC-20 Token Standard](https://docs.base.org/learn/erc-20-token/erc-20-standard) - Analyze the anatomy of an ERC-20 token - Review the formal specification for ERC-20 ### [ERC-20 Implementation](https://docs.base.org/learn/erc-20-token/erc-20-token-sbs) - Describe OpenZeppelin - Import the OpenZeppelin ERC-20 implementation - Describe the difference between the ERC-20 standard and OpenZeppelin's ERC20.sol - Build and deploy an ERC-20 compliant token ### [The ERC-721 Token Standard](https://docs.base.org/learn/erc-721-token/erc-721-standard) - Analyze the anatomy of an ERC-721 token - Compare and contrast the technical specifications of ERC-20 and ERC-721 - Review the formal specification for ERC-721 ### [ERC-721 Token](https://docs.base.org/learn/erc-721-token/erc-721-sbs) - Analyze the anatomy of an ERC-721 token - Compare and contrast the technical specifications of ERC-20 and ERC-721 - Review the formal specification for ERC-721 - Build and deploy an ERC-721 compliant token - Use an ERC-721 token to control ownership of another data structure ### [Wallet Connectors](https://docs.base.org/learn/frontend-setup/wallet-connectors) - Identify the role of a wallet aggregator in an onchain app - Debate the pros and cons of using a template - Scaffold a new onchain app with RainbowKit - Support users of EOAs and the Coinbase Smart Wallet with the same app ### [Building an Onchain App](https://docs.base.org/learn/frontend-setup/building-an-onchain-app) - Identify the role of a wallet aggregator in an onchain app - Debate the pros and cons of using a template - Add a wallet connection to a standard template app ### [The `useAccount` Hook](https://docs.base.org/learn/reading-and-displaying-data/useAccount) - Implement the `useAccount` hook to show the user's address, connection state, network, and balance - Implement an `isMounted` hook to prevent hydration errors ### [The `useReadContract` Hook](https://docs.base.org/learn/reading-and-displaying-data/useReadContract) - Implement wagmi's `useReadContract` hook to fetch data from a smart contract - Convert data fetched from a smart contract to information displayed to the user - Identify the caveats of reading data from automatically-generated getters ### [Configuring `useReadContract`](https://docs.base.org/learn/reading-and-displaying-data/configuring-useReadContract) - Use `useBlockNumber` and the `queryClient` to automatically fetch updates from the blockchain - Describe the costs of using the above, and methods to reduce those costs - Configure arguments to be passed with a call to a `pure` or `view` smart contract function - Call an instance of `useReadContract` on demand - Utilize `isLoading` and `isFetching` to improve user experience ### [The `useWriteContract` hook](https://docs.base.org/learn/writing-to-contracts/useWriteContract) - Implement wagmi's `useWriteContract` hook to send transactions to a smart contract - Configure the options in `useWriteContract` - Display the execution, success, or failure of a function with button state changes, and data display ### [The `useSimulateContract` hook](https://docs.base.org/learn/writing-to-contracts/useSimulateContract) - Implement wagmi's `useSimulateContract` and `useWriteContract` to send transactions to a smart contract - Configure the options in `useSimulateContract` and `useWriteContract` - Call a smart contract function on-demand using the write function from `useWriteContract`, with arguments and a value We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Base Oracle Solutions [Skip to content](https://docs.base.org/chain/oracles#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Oracles On this page Chevron Right ## API3 The API3 Market provides access to 200+ price feeds on [Base Mainnet](https://market.api3.org/base) and [Base Testnet](https://market.api3.org/base-sepolia-testnet). The price feeds operate as a native push oracle and can be activated instantly via the Market UI. The price feeds are delivered by an aggregate of [first-party oracles](https://docs.api3.org/explore/airnode/why-first-party-oracles.html) using signed data and support [OEV recapture](https://docs.api3.org/explore/introduction/oracle-extractable-value.html). Unlike traditional data feeds, reading [API3 price feeds](https://docs.api3.org/guides/dapis/) enables dApps to auction off the right to update the price feeds to searcher bots which facilitates more efficient liquidation processes for users and LPs of DeFi money markets. The OEV recaptured is returned to the dApp. Apart from data feeds, API3 also provides [Quantum Random Number Generation](https://docs.api3.org/explore/qrng/) on Base Mainnet and Testnet. QRNG is a free-to-use service that provides quantum randomness onchain. It is powered by [Airnode](https://docs.api3.org/reference/airnode/latest/understand/), the first-party oracle that is directly operated by the [QRNG API providers](https://docs.api3.org/reference/qrng/providers.html). Read more about QRNG [here](https://docs.api3.org/reference/qrng). Check out these guides to learn more: - [dAPIs](https://docs.api3.org/guides/dapis/subscribing-to-dapis/): First-party aggregated data feeds sourced directly from the data providers. - [Airnode](https://docs.api3.org/guides/airnode/calling-an-airnode/): The first-party serverless Oracle solution to bring any REST API onchain. - [QRNG](https://docs.api3.org/guides/qrng/): Quantum Random Number Generator for verifiable quantum RNG onchain. #### Supported Networks - Base Mainnet - Base Sepolia (Testnet) ## Chainlink [Chainlink](https://chain.link/) provides a number of [price feeds](https://docs.chain.link/data-feeds/price-feeds/addresses/?network=base) for Base. See [this guide](https://docs.chain.link/docs/get-the-latest-price/) to learn how to use the Chainlink feeds. #### Supported Networks - Base Mainnet - Base Sepolia (Testnet) ## Chronicle [Chronicle](https://chroniclelabs.org/) provides a number of [Oracles](https://chroniclelabs.org/dashboard) for Base. See [this guide](https://docs.chroniclelabs.org/Builders/tutorials/Remix) to learn how to use the Chronicle Oracles. #### Supported Networks - Base Mainnet - Base Sepolia (Testnet) ## DIA [DIA](https://www.diadata.org/) provides 2000+ [price feeds](https://www.diadata.org/app/price/) for Base. See [this guide](https://docs.diadata.org/introduction/intro-to-dia-oracles/request-an-oracle) to learn how to use the DIA feeds. #### Supported Networks - Base Mainnet - Base Sepolia (Testnet) ## Gelato Gelato VRF (Verifiable Random Function) provides a unique system offering trustable randomness on Base. See this guide to learn how to get started with [Gelato VRF](https://docs.gelato.network/web3-services/vrf/quick-start). #### Supported Networks - Base Mainnet - Base Sepolia (Testnet) ## ORA [ORA](https://ora.io/) provides an [Onchain AI Oracle](https://docs.ora.io/doc/oao-onchain-ai-oracle/introduction) for Base. See [this guide](https://docs.ora.io/doc/oao-onchain-ai-oracle/develop-guide/tutorials/interaction-with-oao-tutorial) to learn how to use ORA Onchain AI Oracle. #### Supported Networks - Base Mainnet ## Pyth The [Pyth Network](https://pyth.network/) is one of the largest first-party Oracle network, delivering real-time data across [a vast number of chains](https://docs.pyth.network/price-feeds/contract-addresses). Pyth introduces an innovative low-latency [pull oracle design](https://docs.pyth.network/documentation/pythnet-price-feeds/on-demand), where users can pull price updates onchain when needed, enabling everyone in the onchain environment to access that data point most efficiently. Pyth network updates the prices every **400ms**, making Pyth one of the fastest onchain oracles. #### Pyth Price Feeds Features: - 400ms latency - Efficient and cost-effective Oracle - [First-party](https://pyth.network/publishers) data sourced directly from financial institutions - [Price feeds ranging from Crypto, Stock, FX, Metals](https://pyth.network/developers/price-feed-ids) - [Available on all major chains](https://docs.pyth.network/price-feeds/contract-addresses) #### Supported Networks for Base (Pyth Price Feeds): - Base Mainnet: [`0x8250f4aF4B972684F7b336503E2D6dFeDeB1487a`](https://basescan.org/address/0x8250f4aF4B972684F7b336503E2D6dFeDeB1487a) - Base Sepolia: [`0xA2aa501b19aff244D90cc15a4Cf739D2725B5729`](https://base-sepolia.blockscout.com/address/0xA2aa501b19aff244D90cc15a4Cf739D2725B5729) ### Pyth Entropy Pyth Entropy allows developers to quickly and easily generate secure **random numbers** onchain. Check [how to generate random numbers in EVM contracts](https://docs.pyth.network/entropy/generate-random-numbers/evm) for a detailed walkthrough. #### Supported Networks for Base (Pyth Entropy): - Base Mainnet: [`0x6E7D74FA7d5c90FEF9F0512987605a6d546181Bb`](https://basescan.org/address/0x6E7D74FA7d5c90FEF9F0512987605a6d546181Bb) - Base Sepolia: [`0x41c9e39574F40Ad34c79f1C99B66A45eFB830d4c`](https://base-sepolia.blockscout.com/address/0x41c9e39574F40Ad34c79f1C99B66A45eFB830d4c) Check out the following links to get started with Pyth. - [Pyth Price Feed EVM Integration Guide](https://docs.pyth.network/price-feeds/use-real-time-data/evm) - [Pyth Docs](https://docs.pyth.network/home) - [Pyth Price Feed API Reference](https://api-reference.pyth.network/price-feeds/evm/getPrice) - [Pyth Examples](https://github.com/pyth-network/pyth-examples) - [Website](https://pyth.network/) - [Twitter](https://x.com/PythNetwork) ## RedStone [RedStone](https://redstone.finance/) provides 1200+ [price feeds](https://app.redstone.finance/) for Base. See [this guide](https://docs.redstone.finance/) to learn how to use the RedStone feeds. #### Supported Networks - Base Mainnet ## Supra [Supra](https://supraoracles.com/) provides VRF and decentralized oracle price feeds that can be used for onchain and offchain use-cases such as spot and perpetual DEXes, lending protocols, and payments protocols. Supra’s oracle chain and consensus algorithm makes it one of the fastest-to-finality oracle providers, with layer-1 security guarantees. The pull oracle has a sub-second response time. Aside from speed and security, Supra’s rotating node architecture gathers data from 40+ data sources and applies a robust calculation methodology to get the most accurate value. The node provenance on the data dashboard also provides a fully transparent historical audit trail. Supra’s Distributed Oracle Agreement (DORA) paper was accepted into ICDCS 2023, the oldest distributed systems conference. Visit the Supra [documentation](https://supraoracles.com/docs/) to learn more about integrating Supra's oracle and VRF into your Base project. #### Supported Networks - Base Mainnet - Base Sepolia (Testnet) We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Fiat-to-Crypto Onramps [Skip to content](https://docs.base.org/chain/onramps#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Onramps On this page Chevron Right ## Coinbase Onramp [Coinbase Onramp](https://www.coinbase.com/developer-platform/products/onramp) is a fiat-to-crypto onramp that allows users to buy or transfer crypto directly from self-custody wallets and apps. Coinbase Onramp supports 60+ fiat currencies with regulatory compliance and licensing, as well as 100+ cryptocurrencies, including ETH on Base. [Get started here](https://docs.cdp.coinbase.com/onramp/docs/getting-started/) to use the Coinbase Developer Platform. ## MoonPay [MoonPay](https://www.moonpay.com/business/onramps) is a crypto onramp that provides global coverage, seamless revenue sharing, and zero risk of fraud or chargebacks. MoonPay supports 30+ fiat currencies and 110+ cryptocurrencies, including ETH on Base. ## Onramp [Onramp](https://onramp.money/) is a fiat-to-crypto payment gateway, which helps users seamlessly convert fiat currency to the desired cryptocurrency. Onramp currently supports 300+ cryptocurrencies and 20+ blockchain networks, including ETH on Base. ## Ramp [Ramp](https://ramp.network/) is an onramp and offramp that empowers users to buy & sell crypto inside your app. Ramp supports 40+ fiat currencies and 90+ crypto assets, including ETH on Base. ## Transak [Transak](https://transak.com/) is a developer integration toolkit to let users buy/sell crypto in any app, website or web plugin. It is available across 170 cryptocurrencies on 75+ blockchains, including ETH on Base. ## Alchemy Pay [Alchemy Pay](https://ramp.alchemypay.org/) (ACH) is a payment solutions provider that seamlessly connects fiat and crypto economies for global consumers, merchants, developers, and institutions. We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Privacy Policy Overview [Skip to content](https://docs.base.org/privacy-policy#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Privacy Policy On this page Chevron Right Last updated: July 12, 2023 * * * At Base (referred to here as “ **we**”, “ **us**” or “ **our**”), we respect and protect the privacy of those users and developers (“ **you**” and “ **your**” or “ **Users**” and “ **Developers**”, as relevant) who explore and use Base (“ **Base**”) through the Base protocol or any other applications, tools, and features we operate  (collectively, the “ **Services**”). This Privacy Policy describes how we collect, use, and disclose personal information when you use our Services, which include the services offered on our website [https://base.org](https://base.org/) ( “ **Site**”). This Privacy Policy does not apply to any processing which Base carries out as a processor on behalf of those Users and Developers who explore and use Base. Please note that we do not control websites, applications, or services operated by third parties, and we are not responsible for their actions. We encourage you to review the privacy policies of the other websites, decentralized applications, and services you use to access or interact with our Services. We collect the following personal information when providing the Services: **Information you provide** - Your public wallet address (“ **Wallet Address**”) - Publicly available blockchain data (“ **Blockchain Data**”) - Where you agree to engage in our surveys or sign up to receive marketing communications about Base products and offerings, we will ask for the following “ **Basic User Information**” - Name - Email - Social media handles - Business name **Information Collected Automatically** - App, Browser and Device Information: - Information about the device, operating system, and browser you’re using~~ ~~ - Other device characteristics or identifiers (e.g. plugins, the network you connect to) - IP address/derived location information **Information we obtain from Affiliates and third parties** - Information from Coinbase Companies (“ **Affiliates**”):  We may obtain information about you, such as Basic User Information from our Affiliates (for instance, if you use Base with your Coinbase-hosted wallet) as part of facilitating, supporting, or providing our Services. - Blockchain Data: We may analyze public blockchain data, including timestamps of transactions or events, transaction IDs, digital signatures, transaction amounts and wallet addresses - Information from Analytics Providers: We receive information about your website usage and interactions from third party analytics providers. This includes browser fingerprint, device information, and IP address. - Error Tracking Data: We utilize information from third party service providers to provide automated error monitoring, reporting, alerting and diagnostic capture for Service and Site errors to allow User or Developers to build more effectively on the Base platform. We may use your personal information for the following purposes or as otherwise described at the time of collection. If you reside outside the United Kingdom or European Economic Area (“ **EEA”)**, the legal bases on which we rely in your country may differ from those listed below. | | | | | --- | --- | --- | | **Purpose** | **Information Used** | **Our Legal Basis** | | To provide you with the Base Services We use certain information that is necessary to conclude and perform our Terms of Service or other relevant contract(s) with you. | Wallet Address Blockchain Data | Contractual Necessity | | To promote the safety, security and integrity of our Services | Basic User Information Information from Analytics Providers | Contractual Necessity | | To allow Users or Developers to build more effectively on the Base platform | Error Tracking Data | Legitimate Interests | | To send you Base Forms for marketing and product development | Basic User Information | Legitimate Interests | We share certain information about you with service providers, partners and other third parties in order to help us provide our Services. Here’s how: **Affiliates.** Basic User Information that we process and collect may be transferred between Affiliates, Services, and employees affiliated with us as a normal part of conducting business and offering our Services to you. **Linked Third Party Websites or Services.** When you use third-party services (like when you connect your self-custodial wallet to decentralized applications on the Base network) or websites that are linked through our Services, the providers of those services or products may receive information about you (like your wallet address) from Base, you, or others. Please note that when you use third-party services or connect to third-party websites which are not governed by this Privacy Policy, their own terms and privacy policies will govern your use of those services and products. **Professional advisors, industry partners, authorities and regulators.** We share your information described in **Section 1. What Information We Collect** with our advisors, regulators, tax authorities, law enforcement, government agencies, and industry partners when needed to: - respond pursuant to applicable law or regulations, court orders, legal process or government requests; - detect, investigate, prevent, or address fraud and other illegal activity or security and technical issues; and - protect the rights, property, and safety of our Users, Developers, Affiliates, or others, including to prevent death or imminent bodily harm. **Vendors and Third-Party Service Providers.** When we share information with third-party service providers to help us provide our Services, we require them to use your information on our behalf in accordance with our instructions and terms and only process as necessary for the purpose of the contract. We retain your information as needed to provide our Services, comply with legal obligations or protect our or others’ interests. While retention requirements vary by country, we maintain internal retention policies on the basis of how information needs to be used. This includes considerations such as when the information was collected or created, whether it is necessary in order to continue offering you our Services or to protect the safety, security and integrity of our Services, and whether we are required to hold the information to comply with our legal obligations. The Services are not directed to persons under the age of 18, and we do not knowingly request or collect any information about persons under the age of 18. If you are under the age of 18, please do not provide any personal information through the Site or Services. If a User submitting personal information is suspected of being younger than 18 years of age, we will take steps to delete the individual’s information as soon as possible. To facilitate our global operations, we and our  third-party partners and service providers may transfer and store throughout the world, including in the United States. If you reside in the EEA, Switzerland, or the United Kingdom, we rely upon a variety of legal mechanisms to facilitate these transfers of your personal information (collectively, “ **European Personal Data”**). \*\*\*\* - We rely primarily on the European Commission’s Standard Contractual Clauses to facilitate the international and onward transfer of European Personal Data to third countries, including from our EU operating entities to Coinbase, Inc. in the United States, who provides the primary infrastructure for the Services. - We also rely on [adequacy decisions](https://ec.europa.eu/info/law/law-topic/data-protection/international-dimension-data-protection/adequacy-decisions_en) from the European Commission where available and exemptions provided for under data protection law (e.g. Article 49 GDPR). If you have questions or concerns regarding this Privacy Policy, or if you have a complaint, please contact us at [privacy@base.org](mailto:privacy@base.org). We’re constantly trying to improve our Services, so we may need to change this Privacy Policy from time to time as well. We post any changes we make to our Privacy Policy on this page and, where appropriate, we will provide you with reasonable notice of any material changes before they take effect or as otherwise required by law. The date the Privacy Policy was last updated is identified at the top of this page. Coinbase Technologies, Inc., 251 Little Falls Drive, City of Wilmington, County of New Castle, Delaware 19808, acts as controller of your personal data. We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Foundry Tools Overview 404 The requested path could not be found ## Base Contract Addresses [Skip to content](https://docs.base.org/chain/base-contracts#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Base Contracts On this page Chevron Right ## L2 Contract Addresses ### Base Mainnet | Name | Address | | --- | --- | | WETH9 | [0x4200000000000000000000000000000000000006](https://basescan.org/address/0x4200000000000000000000000000000000000006) | | L2CrossDomainMessenger | [0x4200000000000000000000000000000000000007](https://basescan.org/address/0x4200000000000000000000000000000000000007) | | L2StandardBridge | [0x4200000000000000000000000000000000000010](https://basescan.org/address/0x4200000000000000000000000000000000000010) | | SequencerFeeVault | [0x4200000000000000000000000000000000000011](https://basescan.org/address/0x4200000000000000000000000000000000000011) | | OptimismMintableERC20Factory | [0xF10122D428B4bc8A9d050D06a2037259b4c4B83B](https://basescan.org/address/0xF10122D428B4bc8A9d050D06a2037259b4c4B83B) | | GasPriceOracle | [0x420000000000000000000000000000000000000F](https://basescan.org/address/0x420000000000000000000000000000000000000F) | | L1Block | [0x4200000000000000000000000000000000000015](https://basescan.org/address/0x4200000000000000000000000000000000000015) | | L2ToL1MessagePasser | [0x4200000000000000000000000000000000000016](https://basescan.org/address/0x4200000000000000000000000000000000000016) | | L2ERC721Bridge | [0x4200000000000000000000000000000000000014](https://basescan.org/address/0x4200000000000000000000000000000000000014) | | OptimismMintableERC721Factory | [0x4200000000000000000000000000000000000017](https://basescan.org/address/0x4200000000000000000000000000000000000017) | | ProxyAdmin | [0x4200000000000000000000000000000000000018](https://basescan.org/address/0x4200000000000000000000000000000000000018) | | BaseFeeVault | [0x4200000000000000000000000000000000000019](https://basescan.org/address/0x4200000000000000000000000000000000000019) | | L1FeeVault | [0x420000000000000000000000000000000000001a](https://basescan.org/address/0x420000000000000000000000000000000000001a) | | EAS | [0x4200000000000000000000000000000000000021](https://basescan.org/address/0x4200000000000000000000000000000000000021) | | EASSchemaRegistry | [0x4200000000000000000000000000000000000020](https://basescan.org/address/0x4200000000000000000000000000000000000020) | | LegacyERC20ETH | [0xDeadDeAddeAddEAddeadDEaDDEAdDeaDDeAD0000](https://basescan.org/address/0xDeadDeAddeAddEAddeadDEaDDEAdDeaDDeAD0000) | ### Base Testnet (Sepolia) | Name | Address | | --- | --- | | WETH9 | [0x4200000000000000000000000000000000000006](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000006) | | L2CrossDomainMessenger | [0x4200000000000000000000000000000000000007](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000007) | | L2StandardBridge | [0x4200000000000000000000000000000000000010](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000010) | | SequencerFeeVault | [0x4200000000000000000000000000000000000011](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000011) | | OptimismMintableERC20Factory | [0x4200000000000000000000000000000000000012](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000012) | | GasPriceOracle | [0x420000000000000000000000000000000000000F](https://sepolia.basescan.org/address/0x420000000000000000000000000000000000000F) | | L1Block | [0x4200000000000000000000000000000000000015](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000015) | | L2ToL1MessagePasser | [0x4200000000000000000000000000000000000016](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000016) | | L2ERC721Bridge | [0x4200000000000000000000000000000000000014](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000014) | | OptimismMintableERC721Factory | [0x4200000000000000000000000000000000000017](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000017) | | ProxyAdmin | [0x4200000000000000000000000000000000000018](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000018) | | BaseFeeVault | [0x4200000000000000000000000000000000000019](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000019) | | L1FeeVault | [0x420000000000000000000000000000000000001a](https://sepolia.basescan.org/address/0x420000000000000000000000000000000000001a) | | EAS | [0x4200000000000000000000000000000000000021](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000021) | | EASSchemaRegistry | [0x4200000000000000000000000000000000000020](https://sepolia.basescan.org/address/0x4200000000000000000000000000000000000020) | | LegacyERC20ETH | [0xDeadDeAddeAddEAddeadDEaDDEAdDeaDDeAD0000](https://sepolia.basescan.org/address/0xDeadDeAddeAddEAddeadDEaDDEAdDeaDDeAD0000) | \* _L2 contract addresses are the same on both mainnet and testnet._ ## L1 Contract Addresses ### Ethereum Mainnet | Name | Address | | --- | --- | | AddressManager | [0x8EfB6B5c4767B09Dc9AA6Af4eAA89F749522BaE2](https://etherscan.io/address/0x8EfB6B5c4767B09Dc9AA6Af4eAA89F749522BaE2) | | AnchorStateRegistryProxy | [0xdB9091e48B1C42992A1213e6916184f9eBDbfEDf](https://etherscan.io/address/0xdB9091e48B1C42992A1213e6916184f9eBDbfEDf) | | DelayedWETHProxy (FDG) | [0xa2f2aC6F5aF72e494A227d79Db20473Cf7A1FFE8](https://etherscan.io/address/0xa2f2aC6F5aF72e494A227d79Db20473Cf7A1FFE8) | | DelayedWETHProxy (PDG) | [0x3E8a0B63f57e975c268d610ece93da5f78c01321](https://etherscan.io/address/0x3E8a0B63f57e975c268d610ece93da5f78c01321) | | DisputeGameFactoryProxy | [0x43edB88C4B80fDD2AdFF2412A7BebF9dF42cB40e](https://etherscan.io/address/0x43edB88C4B80fDD2AdFF2412A7BebF9dF42cB40e) | | FaultDisputeGame | [0xCd3c0194db74C23807D4B90A5181e1B28cF7007C](https://etherscan.io/address/0xCd3c0194db74C23807D4B90A5181e1B28cF7007C) | | L1CrossDomainMessenger | [0x866E82a600A1414e583f7F13623F1aC5d58b0Afa](https://etherscan.io/address/0x866E82a600A1414e583f7F13623F1aC5d58b0Afa) | | L1ERC721Bridge | [0x608d94945A64503E642E6370Ec598e519a2C1E53](https://etherscan.io/address/0x608d94945A64503E642E6370Ec598e519a2C1E53) | | L1StandardBridge | [0x3154Cf16ccdb4C6d922629664174b904d80F2C35](https://etherscan.io/address/0x3154Cf16ccdb4C6d922629664174b904d80F2C35) | | L2OutputOracle | [0x56315b90c40730925ec5485cf004d835058518A0](https://etherscan.io/address/0x56315b90c40730925ec5485cf004d835058518A0) | | MIPS | [0x16e83cE5Ce29BF90AD9Da06D2fE6a15d5f344ce4](https://etherscan.io/address/0x16e83cE5Ce29BF90AD9Da06D2fE6a15d5f344ce4) | | OptimismMintableERC20Factory | [0x05cc379EBD9B30BbA19C6fA282AB29218EC61D84](https://etherscan.io/address/0x05cc379EBD9B30BbA19C6fA282AB29218EC61D84) | | OptimismPortal | [0x49048044D57e1C92A77f79988d21Fa8fAF74E97e](https://etherscan.io/address/0x49048044D57e1C92A77f79988d21Fa8fAF74E97e) | | PermissionedDisputeGame | [0x19009dEBF8954B610f207D5925EEDe827805986e](https://etherscan.io/address/0x19009dEBF8954B610f207D5925EEDe827805986e) | | PreimageOracle | [0x9c065e11870B891D214Bc2Da7EF1f9DDFA1BE277](https://etherscan.io/address/0x9c065e11870B891D214Bc2Da7EF1f9DDFA1BE277) | | ProxyAdmin | [0x0475cBCAebd9CE8AfA5025828d5b98DFb67E059E](https://etherscan.io/address/0x0475cBCAebd9CE8AfA5025828d5b98DFb67E059E) | | SystemConfig | [0x73a79Fab69143498Ed3712e519A88a918e1f4072](https://etherscan.io/address/0x73a79Fab69143498Ed3712e519A88a918e1f4072) | | SystemDictator | [0x1fE3fdd1F0193Dd657C0a9AAC37314D6B479E557](https://etherscan.io/address/0x1fE3fdd1F0193Dd657C0a9AAC37314D6B479E557) | **Unneeded contract addresses** Certain contracts are mandatory according to the [OP Stack SDK](https://stack.optimism.io/docs/build/sdk/#unneeded-contract-addresses), despite not being utilized. For such contracts, you can simply assign the zero address: - `StateCommitmentChain` - `CanonicalTransactionChain` - `BondManager` ### Ethereum Testnet (Sepolia) | Name | Address | | --- | --- | | AddressManager | [0x709c2B8ef4A9feFc629A8a2C1AF424Dc5BD6ad1B](https://sepolia.etherscan.io/address/0x709c2B8ef4A9feFc629A8a2C1AF424Dc5BD6ad1B) | | AnchorStateRegistryProxy | [0x4C8BA32A5DAC2A720bb35CeDB51D6B067D104205](https://sepolia.etherscan.io/address/0x4C8BA32A5DAC2A720bb35CeDB51D6B067D104205) | | DelayedWETHProxy (FDG) | [0x489c2E5ebe0037bDb2DC039C5770757b8E54eA1F](https://sepolia.etherscan.io/address/0x489c2E5ebe0037bDb2DC039C5770757b8E54eA1F) | | DelayedWETHProxy (PDG) | [0x27A6128F707de3d99F89Bf09c35a4e0753E1B808](https://sepolia.etherscan.io/address/0x27A6128F707de3d99F89Bf09c35a4e0753E1B808) | | DisputeGameFactoryProxy | [0xd6E6dBf4F7EA0ac412fD8b65ED297e64BB7a06E1](https://sepolia.etherscan.io/address/0xd6E6dBf4F7EA0ac412fD8b65ED297e64BB7a06E1) | | FaultDisputeGame | [0x9cd8b02e84df3ef61db3b34123206568490cb279](https://sepolia.etherscan.io/address/0x9cd8b02e84df3ef61db3b34123206568490cb279) | | L1CrossDomainMessenger | [0xC34855F4De64F1840e5686e64278da901e261f20](https://sepolia.etherscan.io/address/0xC34855F4De64F1840e5686e64278da901e261f20) | | L1ERC721Bridge | [0x21eFD066e581FA55Ef105170Cc04d74386a09190](https://sepolia.etherscan.io/address/0x21eFD066e581FA55Ef105170Cc04d74386a09190) | | L1StandardBridge | [0xfd0Bf71F60660E2f608ed56e1659C450eB113120](https://sepolia.etherscan.io/address/0xfd0Bf71F60660E2f608ed56e1659C450eB113120) | | L2OutputOracle | [0x84457ca9D0163FbC4bbfe4Dfbb20ba46e48DF254](https://sepolia.etherscan.io/address/0x84457ca9D0163FbC4bbfe4Dfbb20ba46e48DF254) | | MIPS | [0x47B0E34C1054009e696BaBAAd56165e1e994144d](https://sepolia.etherscan.io/address/0x47B0E34C1054009e696BaBAAd56165e1e994144d) | | OptimismMintableERC20Factory | [0xb1efB9650aD6d0CC1ed3Ac4a0B7f1D5732696D37](https://sepolia.etherscan.io/address/0xb1efB9650aD6d0CC1ed3Ac4a0B7f1D5732696D37) | | OptimismPortal | [0x49f53e41452C74589E85cA1677426Ba426459e85](https://sepolia.etherscan.io/address/0x49f53e41452C74589E85cA1677426Ba426459e85) | | PermissionedDisputeGame | [0xcca6a4916fa6de5d671cc77760a3b10b012cca16](https://sepolia.etherscan.io/address/0xcca6a4916fa6de5d671cc77760a3b10b012cca16) | | PreimageOracle | [0x92240135b46fc1142dA181f550aE8f595B858854](https://sepolia.etherscan.io/address/0x92240135b46fc1142dA181f550aE8f595B858854) | | ProxyAdmin | [0x0389E59Aa0a41E4A413Ae70f0008e76CAA34b1F3](https://sepolia.etherscan.io/address/0x0389E59Aa0a41E4A413Ae70f0008e76CAA34b1F3) | | SystemConfig | [0xf272670eb55e895584501d564AfEB048bEd26194](https://sepolia.etherscan.io/address/0xf272670eb55e895584501d564AfEB048bEd26194) | ## Base Admin Addresses ### Base Mainnet | Admin Role | Address | Type of Key | | --- | --- | --- | | Batch Sender | [0x5050f69a9786f081509234f1a7f4684b5e5b76c9](https://etherscan.io/address/0x5050f69a9786f081509234f1a7f4684b5e5b76c9) | EOA managed by Coinbase Technologies | | Batch Inbox | [0xff00000000000000000000000000000000008453](https://etherscan.io/address/0xff00000000000000000000000000000000008453) | EOA (with no known private key) | | Output Proposer | [0x642229f238fb9de03374be34b0ed8d9de80752c5](https://etherscan.io/address/0x642229f238fb9de03374be34b0ed8d9de80752c5) | EOA managed by Coinbase Technologies | | Proxy Admin Owner (L1) | [0x7bB41C3008B3f03FE483B28b8DB90e19Cf07595c](https://etherscan.io/address/0x7bB41C3008B3f03FE483B28b8DB90e19Cf07595c) | 2-of-2 Nested Gnosis Safe (signers below) | | L1 Nested Safe Signer (Coinbase) | [0x9855054731540A48b28990B63DcF4f33d8AE46A1](https://etherscan.io/address/0x9855054731540A48b28990B63DcF4f33d8AE46A1) | Gnosis Safe | | L1 Nested Safe Signer (Optimism) | [0x9BA6e03D8B90dE867373Db8cF1A58d2F7F006b3A](https://etherscan.io/address/0x9BA6e03D8B90dE867373Db8cF1A58d2F7F006b3A) | Gnosis Safe | | Challenger | [0x6f8c5ba3f59ea3e76300e3becdc231d656017824](https://etherscan.io/address/0x6f8c5ba3f59ea3e76300e3becdc231d656017824) | 1-of-2 Smart contract | | System config owner | [0x14536667Cd30e52C0b458BaACcB9faDA7046E056](https://etherscan.io/address/0x14536667Cd30e52C0b458BaACcB9faDA7046E056) | Gnosis Safe | | Guardian | [0x14536667Cd30e52C0b458BaACcB9faDA7046E056](https://etherscan.io/address/0x14536667Cd30e52C0b458BaACcB9faDA7046E056) | Gnosis Safe | ### Base Testnet (Sepolia) | Admin Role | Address | Type of Key | | --- | --- | --- | | Batch Sender | [0x6CDEbe940BC0F26850285cacA097C11c33103E47](https://sepolia.etherscan.io/address/0x6CDEbe940BC0F26850285cacA097C11c33103E47) | EOA managed by Coinbase Technologies | | Batch Inbox | [0xff00000000000000000000000000000000084532](https://sepolia.etherscan.io/address/0xff00000000000000000000000000000000084532) | EOA (with no known private key) | | Output Proposer | [0x20044a0d104E9e788A0C984A2B7eAe615afD046b](https://sepolia.etherscan.io/address/0x20044a0d104E9e788A0C984A2B7eAe615afD046b) | EOA managed by Coinbase Technologies | | Proxy Admin Owner (L1) | [0x0fe884546476dDd290eC46318785046ef68a0BA9](https://sepolia.etherscan.io/address/0x0fe884546476dDd290eC46318785046ef68a0BA9) | Gnosis Safe | | Challenger | [0xDa3037Ff70Ac92CD867c683BD807e5A484857405](https://sepolia.etherscan.io/address/0xDa3037Ff70Ac92CD867c683BD807e5A484857405) | EOA managed by Coinbase Technologies | | System config owner | [0x0fe884546476dDd290eC46318785046ef68a0BA9](https://sepolia.etherscan.io/address/0x0fe884546476dDd290eC46318785046ef68a0BA9) | Gnosis Safe | | Guardian | [0xA9FF930151130fd19DA1F03E5077AFB7C78F8503](https://sepolia.etherscan.io/address/0xA9FF930151130fd19DA1F03E5077AFB7C78F8503) | EOA managed by Coinbase Technologies | We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Onchain Registry API [Skip to content](https://docs.base.org/chain/registry-api#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Onchain Registry API On this page Chevron Right ## Instructions 1. Users of this API can use the `/entries` and `/featured` endpoints to display Onchain Registry entries on their own surfaces 2. If your team would like to use referral codes to point your users to entries, we recommend appending your referral code to the link provided in the `target_url` field 3. If your team would like to filter entries based on where they are hosted or by creator, we recommend implementing logic based on the `target_url` and `creator_name` fields ## Endpoints ### GET /entries This endpoint will display all Onchain Registry entries subject to any query parameters set below #### Query Parameters | Name | Type | Description | | --- | --- | --- | | page | number | The page number (default 1) | | limit | number | The number of entries per page (default 10) | | category | array | The category or categories of the entries of interest
(Options: Games, Social, Creators, Finance, Media) | | curation | string | The entry's level of curation
(Options: Featured, Curated, Community) | #### Response JSON ```vocs_Code Copy{ "data": [\ {\ "id": "7AsRdN8uf601fCkH1e084F",\ "category": "Creators",\ "content": {\ "title": "Based Project",\ "short_description": "Short description of this based project with max char count of 30",\ "full_description": "Full description of this based project with max char count of 200",\ "image_url": "https://base.org/image.png",\ "target_url": "https://base.org/target-page",\ "cta_text": "Mint",\ "function_signature": "mint(uint256)",\ "contract_address": "0x1FC10ef15E041C5D3C54042e52EB0C54CB9b710c",\ "token_id": "2",\ "token_amount": "0.01",\ "featured": true,\ "creator_name": "Base",\ "creator_image_url": "https://base.org/creator-image.png",\ "curation": "featured",\ "start_ts": "2024-06-25T04:00:00Z",\ "expiration_ts": "2024-07-29T00:00:00Z"\ },\ "updated_at": null,\ "created_at": "2024-07-10T18:20:42.000Z"\ },\ {\ "id": "8fRbdN8uf601fCkH1e084F",\ "category": "Games",\ "content": {\ "title": "Based Project II",\ "short_description": "Short description of this second based project with max char count of 30",\ "full_description": "Full description of this second based project with max char count of 200",\ "image_url": "https://base.org/image2.png",\ "target_url": "https://base.org/second-target-page",\ "cta_text": "Mint",\ "function_signature": "mint(uint256)",\ "contract_address": "0x1FC10ef15E041C5D3C54042e52EB0C54CB9b710c",\ "token_id": "1",\ "token_amount": "0.005",\ "featured": false,\ "creator_name": "Base",\ "creator_image_url": "https://base.org/creator-image2.png",\ "curation": "community",\ "start_ts": "2024-06-25T04:00:00Z",\ "expiration_ts": "2024-07-29T00:00:00Z"\ },\ "updated_at": "2024-07-11T18:20:42.000Z",\ "created_at": "2024-07-10T18:20:42.000Z"\ }\ ], "pagination": { "total_records": 2, "current_page": 1, "total_pages": 1, "limit": 10 } } ``` ### GET /featured This endpoint will display a single Onchain Registry entry that is being actively featured #### Response JSON ```vocs_Code Copy{ "data": { "id": "7AsRdN8uf601fCkH1e084F", "category": "Creators", "content": { "title": "Based Project", "short_description": "Short description of this based project with max char count of 30", "full_description": "Full description of this based project with max char count of 200", "image_url": "https://base.org/image.png", "target_url": "https://base.org/target-page", "cta_text": "Mint", "function_signature": "mint(uint256)", "contract_address": "0x1FC10ef15E041C5D3C54042e52EB0C54CB9b710c", "token_id": "2", "token_amount": "0.01", "featured": true, "creator_name": "Base", "creator_image_url": "https://base.org/creator-image.png", "curation": "featured", "start_ts": "2024-06-25T04:00:00Z", "expiration_ts": "2024-07-29T00:00:00Z" }, "updated_at": null, "created_at": "2024-07-10T18:20:42.000Z" } } ``` ## Entry Schema | Name | Type | Description | | --- | --- | --- | | id | string | Unique entry ID | | category | string | The category of the entry
(Options: Games, Social, Creators, Finance, Media) | | title | string | The title of the entry | | short\_description | string | Short version of the entry description (max 30 char) | | full\_description | string | Full version of the entry description (max 200 char) | | image\_url | string | URL of the entry's featured image | | target\_url | string | URL for the entry's desired user action | | cta\_text | string | This is the type of user action for the entry
(Options: Play, Mint, Buy, Trade, Explore) | | function\_signature | string | The function signature associated with the desired user action on the entry's contract | | contract\_address | string | The contract address associated with the entry | | token\_id | string | The token ID if this is an ERC-1155 | | token\_amount | string | The price of the entry's desired user action | | featured | boolean | A true or false based on whether the entry is actively featured | | creator\_name | string | The name of the entry's creator | | creator\_image\_url | string | The logo of the entry's creator | | curation | string | The entry's level of curation
Options:
- Featured - one entry per day with top placement
- Curated - community entries being
- Community - all other community entries | | start\_ts | string | The UTC timestamp that the entry is open to users | | expiration\_ts | string | The UTC timestamp that the entry is no longer open to users | | updated\_at | string \|\| null | The UTC timestamp that the entry was last updated (null if the entry has not been updated since creation) | | created\_at | string | The UTC timestamp that the entry was created | ## Terms & Conditions We grant third parties a non-exclusive, worldwide, royalty-free license to use the Onchain Registry API solely for the purpose of integrating it into their applications or services. This license does not extend to any data or content accessed through the Onchain API, which remains the sole responsibility of the third party. By using the Onchain Registry API, third parties agree to comply with our license terms and any applicable laws and regulations as set forth in Coinbase Developer Platform Terms of Service. We make no warranties regarding the Onchain Registry API, and users accept all risks associated with its use. The Onchain App Registry API is an Early Access Product per Section 18 of the [Coinbase Developer Platform Terms of Service](https://www.coinbase.com/legal/developer-platform/terms-of-service) and the Coinbase [Prohibited Use Policy](https://www.coinbase.com/legal/prohibited_use), and all terms and conditions therein govern your use of the Onchain Registry API. We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Base Blockchain Explorers [Skip to content](https://docs.base.org/chain/block-explorers#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Block Explorers On this page Chevron Right ## Arkham The Arkham [Platform](https://platform.arkhamintelligence.com/) supports Base. Arkham is a crypto intelligence platform that systematically analyzes blockchain transactions, showing users the people and companies behind blockchain activity, with a suite of advanced tools for analyzing their activity. ## Blockscout A Blockscout explorer is available for [Base](https://base.blockscout.com/). Blockscout provides tools to help you debug smart contracts and transactions: - View, verify, and interact with smart contract source code. - View detailed transaction information A testnet explorer for [Base Sepolia](https://base-sepolia.blockscout.com/) is also available. ## Etherscan An Etherscan block explorer is available for [Base](https://basescan.org/). Etherscan provides tools to help you view transaction data and debug smart contracts: - Search by address, transaction hash, batch, or token - View, verify, and interact with smart contract source code - View detailed transaction information - View L1-to-L2 and L2-to-L1 transactions A testnet explorer for [Base Sepolia](https://sepolia.basescan.org/) is also available. ## DexGuru [DexGuru](https://base.dex.guru/) provides a familiar UI with data on transactions, blocks, account balances and more. Developers can use it to verify smart contracts and debug transactions with interactive traces and logs visualization. ## L2scan Explorer [L2scan Explorer](https://base.l2scan.co/) is a web-based tool that allows users to analyze Base and other layer 2 networks. It provides a user-friendly interface for viewing transaction history, checking account balances, and tracking the status of network activity. ## OKLink [OKLink](https://www.oklink.com/base) is a multi-chain blockchain explorer that supports Base and provides the following features for developers: - Search by address, transaction, block, or token - View, verify, and interact with smart contract source code - Access a comprehensive and real-time stream of on-chain data, including large transactions and significant fund movements - Address labels (i.e. project labels, contract labels, risk labels, black address labels, etc.) ## Routescan [Routescan](https://routescan.io/) superchain explorer allows you to search for transactions, addresses, tokens, prices and other activities taking place across all Superchain blockchains, including Base. ## Tenderly Explorer With the [Tenderly](https://tenderly.co/) developer explorer you can get unparalleled visibility into your smart contract code. You can easily view detailed transaction information, spot bugs in your code, and optimize gas spend. Supporting Base mainnet and Base Sepolia testnet, Tenderly Explorer helps you track your smart contracts while providing visibility on a granular level. We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Base Network Info [Skip to content](https://docs.base.org/chain/network-information#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Network Information On this page Chevron Right #### Base Mainnet | Name | Value | | --- | --- | | Network Name | Base Mainnet | | Description | The public mainnet for Base. | | RPC Endpoint | [https://mainnet.base.org](https://mainnet.base.org/)
_Rate limited and not for production systems._ | | Chain ID | 8453 | | Currency Symbol | ETH | | Block Explorer | [https://base.blockscout.com/](https://base.blockscout.com/) | #### Base Testnet (Sepolia) | Name | Value | | --- | --- | | Network Name | Base Sepolia | | Description | A public testnet for Base. | | RPC Endpoint | [https://sepolia.base.org](https://sepolia.base.org/)
_Rate limited and not for production systems._ | | Chain ID | 84532 | | Currency Symbol | ETH | | Block Explorer | [https://sepolia-explorer.base.org](https://sepolia-explorer.base.org/) | We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Base Terms of Service [Skip to content](https://docs.base.org/terms-of-service#vocs-content) Search [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) [![Logo](https://docs.base.org/logo.svg)](https://docs.base.org/) [Get help](https://discord.com/invite/buildonbase?utm_source=dotorg&utm_medium=nav) [GitHub](https://github.com/base) [X](http://x.com/buildonbase) [Warpcast](https://warpcast.com/buildonbase) [Discord](https://discord.com/invite/buildonbase) Menu Terms of Service On this page Chevron Right Last Updated: October 25, 2024 * * * We’re excited you’re interested in Base, a layer-two optimistic rollup on the Ethereum public blockchain. While we do not control Base, these Terms of Service (“Terms”) constitute a legally binding contract made between you and Coinbase Technologies, Inc. (“Coinbase,” “we,” or “us”) that governs your access to and use of the Coinbase Sequencer, Base Testnet, Basenames Interface, and Basenames Profile Pages each of which is defined below (collectively, the “Services”). By using the Services in any way, you agree to be bound by these Terms. If you do not accept the terms and conditions of these Terms, you are not permitted to access or otherwise use the Services. **BEFORE WE INCLUDE ANY OTHER DETAILS, WE WANT TO GIVE YOU NOTICE OF SOMETHING UP FRONT: BY AGREEING TO THESE TERMS, YOU AND WE AGREE TO RESOLVE ANY DISPUTES WE MAY HAVE WITH EACH OTHER VIA BINDING ARBITRATION OR IN SMALL CLAIMS COURT (INSTEAD OF A COURT OF GENERAL JURISDICTION), AND YOU AGREE TO DO SO AS AN INDIVIDUAL (INSTEAD OF, FOR EXAMPLE, AS A REPRESENTATIVE OR MEMBER OF A CLASS IN A CLASS ACTION). TO THE EXTENT THAT THE LAW ALLOWS, YOU ALSO WAIVE YOUR RIGHT TO A TRIAL BY JURY. FOR MORE INFORMATION, SEE OUR [ARBITRATION AGREEMENT](https://docs.base.org/docs/arbitration) “DISPUTE RESOLUTION, ARBITRATION AGREEMENT, CLASS ACTION WAIVER, AND JURY TRIAL WAIVER.”** ### 1\. Base and Bridging Smart Contracts The Base protocol (“Base”) is an open source, optimistic rollup protocol that operates with the Ethereum blockchain. The Base protocol includes protocol smart contracts that allow you to “bridge” (i.e., lock assets on one blockchain protocol and replicate them on another protocol) digital assets between Ethereum and/or Base (“Bridging Smart Contracts”). **Neither Base nor the Bridging Smart Contracts are part of the Services.** They are both operated through the use of certain open source software such as the OP Stack, an open sourced codebase approved by a decentralized, representative body of Optimism governance (the “Optimism Collective”), and a set of smart contracts that once deployed to the Base protocol are not controlled by Coinbase (even if Coinbase contributed to their initial development). Coinbase does not control what third parties may build on Base, the activity of such parties, any user transacting on Base, or any data stored on Base itself, and Coinbase does not take possession, custody, or control over any virtual currency or other digital asset on Base or the Bridging Smart Contracts, unless expressly stated in a written contract signed by Coinbase. You acknowledge and agree that Coinbase makes no representations or warranties with respect to Base or the Bridging Smart Contracts, and that, if you use Base or the Bridging Smart Contracts, you do so at your own risk. ### 2\. Basenames Basenames is an open source blockchain-based naming protocol that maintains a registry of all domains and subdomains on Base through a series of smart contracts deployed on Base. Basenames is not part of the Services. Users may, through interacting with the Basenames, search such registry, register domains and subdomains and manage their registered names, including by adding metadata and other information (e.g., URLs) to the corresponding text records on the Basenames smart contract (such metadata and other information, the “Basename Profile Information”). The Basenames interface located at [https://base.org/names](https://base.org/names) (the “Basenames Interface”) is one, but not the exclusive, means of accessing Basenames. You are responsible for conducting your own diligence on other interfaces enabling you to access Basenames to understand the fees and risks that they present. You understand that anyone can register and own a domain name (and its subdomains) that is not already registered on the registry maintained by Basenames. You further understand that names registered on the registry maintained by Basenames may expire and you are responsible for monitoring and renewing the registration of such names. You acknowledge that Coinbase is not able to forcibly remove, prevent or otherwise interfere with the ability of any person to register a domain name on the registry operated by Basenames and you hereby acknowledge that Coinbase will not be liable for any claims or damages whatsoever associated with your use, inability to use any domain names subject of registration, or to be registered, on the registry maintained by Basenames. You agree that Basenames is purely non-custodial, meaning you are solely responsible for the custody of the cryptographic private keys to the digital asset wallets you hold and use to access Basenames. ### 3\. Who May Use the Services You may only use the Services if you are legally capable of forming a binding contract with Coinbase in your respective jurisdiction which may require your parents consent if you’re not the legal age of majority (which in many jurisdictions is 18), and not barred from using the Services under the laws of any applicable jurisdiction, for example, that you do not appear on the U.S. Treasury Department’s list of Specially Designated Nationals and are not located or organized in a U.S. sanctioned jurisdiction. If you are using the Services on behalf of an entity or other organization, you agree to these Terms for that entity or organization and represent to Coinbase that you have the authority to bind that entity or organization to these Terms. ### 4\. Rights We Grant You As between you and us, Coinbase is the owner of the Services, including all related intellectual property rights and proprietary content, information, material, software, images, text, graphics, illustrations, logos, trademarks (including the Base logo, the Base name, the Coinbase logo, the Coinbase name, and any other Coinbase or Base marks), service marks, copyrights, photographs, audio, video, music, and the “look and feel” of the Services. We hereby permit you to use and access the Services, provided that you comply with these Terms. If any software, content or other materials owned or controlled by us are distributed to you as part of your use of the Services, we hereby grant you a non-sublicensable, non-transferable, and non-exclusive right and license to execute, access and display such software, content and materials provided to you as part of the Services, in each case for the sole purpose of enabling you to use the Services as permitted by these Terms. To use any parts of the contents of the Services other than for personal and non-commercial use, you must seek permission from Coinbase in writing. Coinbase reserves the right to refuse permission without providing any reasons. ### 5\. Accessing the Services To access the Services, Base, or the Bridging Smart Contracts you must connect a compatible cryptocurrency wallet software (“Wallet”). Your relationship with any given Wallet provider is governed by the applicable terms of that Wallet provider, not these Terms. You are responsible for maintaining the confidentiality of any private key controlled by your Wallet and are fully responsible for any and all messages or conduct signed with your private key. We accept no responsibility or liability to you in connection with your use of a Wallet, and make no representations and warranties regarding how the Services, Base, or the Bridging Smart Contracts will operate or be compatible with any specific Wallet. We reserve the right, in our sole discretion, to prohibit certain Wallet addresses from being able to use or engage in transactions via the Coinbase Sequencer or from using other aspects of the Services. As between you and Coinbase, you retain ownership and all intellectual property rights to the content and materials you submit to the Services. But, you grant us a limited, non-exclusive, worldwide, royalty free license to use your content solely for the purpose of operating the Services (i.e., the Sequencer and Base Testnet) for so long as we operate the Services. To avoid any doubt, this license does not allow us to use your intellectual property beyond operating the Services (e.g., in advertisements). ### 6\. The Services Coinbase offers the following Services that enable you to access and interact with Base and the Bridging Smart Contracts: - **The Sequencer:** The Coinbase Sequencer is a node operated by Coinbase that receives, records, and reports transactions on Base. While The Coinbase Sequencer is, initially, the only sequencer node supporting transactions on Base, additional nodes may be provided by third parties in the future and there are other mechanisms for submitting transactions through Ethereum. The Coinbase Sequencer does not store, take custody of, control, send, or receive your virtual currency, except for receiving applicable gas fees. It also does not have the ability to modify, reverse, or otherwise alter any submitted transactions, and will not have access to your private key or the ability to control value on your behalf. We reserve the right to charge and modify the fees in connection with your use of the Coinbase Sequencer. These fees may also be subject to taxes under applicable law. - **Base Testnet:** The Base Testnet is a test environment that allows you to build applications integrated with Base. You are permitted to access and use the Base Testnet only to test and improve the experience, security, and design of Base or applications built on Base, subject to these Terms. Base Testnet Tokens will not be converted into any future rewards offered by Coinbase. Coinbase may change, discontinue, or terminate, temporarily or permanently, all or any part of the Base Testnet, at any time and without notice. - **Basenames Interface:** The Basenames Interface is a web application and graphical user display operated by Coinbase and located at base.org/names. It enables you to interact with Basenames by creating blockchain messages that you can sign and broadcast to Base using your Wallet. The Basenames Interface will not have access to your private key at any point. - **Basenames Profile Pages:** Coinbase also operates a web application and graphical user display (the “Basenames Profile Pages”) that renders information about all registered Basenames domains and subdomains on Base, including any Basename Profile Information associated therewith. You understand that the information displayed on the Basenames Profile Pages, including all Basename Profile Information, is stored and publicly available on the Basenames decentralized protocol. Coinbase provides the Basenames Profile Pages only as a convenience, does not have control over any of third party content appearing therein, and does not warrant or endorse, nor bear responsibility for the availability or legitimacy of, the content on or accessible from any Basenames Profile Page (including any resources, interactive features, or links to Third-Party Services (as defined below) displayed therein). When viewing any Basenames Profile Page, you should assume that Coinbase has not verified the safety or legitimacy of, any content, resources, interactive features, or links appearing on such Basenames Profile Page (including any Farcaster Frames (or other open source products that provide substantially similar functionality) rendered thereon). It is your responsibility to ensure that you fully understand the nature of any links or other interactive features that you may be able to access on a Basenames Profile Page, including any financial risks that you may be exposed to when interacting with a Third-Party Service. ### 7\. Acceptable Use You agree that you will not use the Services in any manner or for any purpose other than as expressly permitted by these Terms. That means, among other things, you will not use the Services to do or encourage any of the following: - Infringe or violate the intellectual property rights or any other rights of anyone else (including Coinbase) or attempt to decompile, disassemble, or reverse engineer the Services; - Violate any applicable law or regulation, including without limitation, any applicable anti-money laundering laws, anti-terrorism laws, export control laws, end user restrictions, privacy laws or economic sanctions laws/regulations, including those administered by the U.S. Department of Treasury’s Office of Foreign Assets Control; - Use the Services in a way that is illegal, dangerous, harmful, fraudulent, misleading, deceptive, threatening, harassing, defamatory, obscene, or otherwise objectionable; - Violate, compromise, or interfere with the security, integrity, or availability of any computer, network, or technology associated with the Services, including using the Services in a manner that constitutes excessive or abusive usage, attempts to disrupt, attack, or interfere with other users, or otherwise impacts the stability of the Services. - Use any Coinbase brands, logos, or trademarks (or any brands, logos, or trademarks that are confusingly similar) without our express prior written approval, which we may withhold at our discretion for any reason. ### 8\. Release and Assumption of Risk ‍By using the Services, Base, or the Bridging Smart Contracts, you represent that you understand there are risks inherent in using cryptographic and public blockchain-based systems, including, but not limited, to the Services and digital assets such as bitcoin (BTC) and ether (ETH). You expressly agree that you assume all risks in connection with your access and use of Base, the Bridging Smart Contracts, Basenames, and the separate Services offered by Coinbase. That means, among other things, you understand and acknowledge that: - The Base, the Bridging Smart Contracts, Basenames, and the separate Services may be subject to cyberattacks and exploits, which could result in the irrevocable loss or reduction in value of your digital assets or in additional copies of your digital assets being created or bridged without your consent. - Base is subject to periodic upgrades by the Optimism Collective. The Optimism Collective may approve a protocol upgrade that, if implemented, may significantly impact Base, and may introduce other risks, bugs, malfunctions, cyberattack vectors, or other changes to Base that could disrupt the operation of Base, the Bridging Smart Contracts, Basenames, or the Services or otherwise cause you damage or loss. - If you lose your Wallet seed phrase, private keys, or password, you might permanently be unable to access your digital assets. You bear sole responsibility for safeguarding and ensuring the security of your Wallet. You further expressly waive and release Coinbase, its parents, affiliates, related companies, their officers, directors, members, employees, consultants, representatives. agents, partners, licensors, and each of their respective successors and assigns (collectively, the “Coinbase Entities”) from any and all liability, claims, causes of action, or damages arising from or in any way related to your use of the Services, and your interaction with Base, the Bridging Smart Contracts, or Basenames. Also, to the extent applicable, you shall and hereby do waive the benefits and protections of California Civil Code § 1542, which provides: “\[a\] general release does not extend to claims that the creditor or releasing party does not know or suspect to exist in his or her favor at the time of executing the release and that, if known by him or her, would have materially affected his or her settlement with the debtor or released party.” ### 9\. Interactions with Other Users You are responsible for your interactions with other users on or through the Services. While we reserve the right to monitor interactions between users, we are not obligated to do so, and we cannot be held liable for your interactions with other users, or for any user’s actions or inactions. If you have a dispute with one or more users, you release us (and our affiliates and subsidiaries, and our and their respective officers, directors, employees and agents) from claims, demands and damages (actual and consequential) of every kind and nature, known and unknown, arising out of or in any way connected with such disputes. In entering into this release you expressly waive any protections (whether statutory or otherwise) that would otherwise limit the coverage of this release to include only those claims which you may know or suspect to exist in your favor at the time of agreeing to this release. ### 10\. Feedback Any questions, comments, suggestions, ideas, feedback, reviews, or other information about the Services, provided by you to Coinbase, are non-confidential and Coinbase will be entitled to the unrestricted use and dissemination of these submissions for any purpose, commercial or otherwise, without acknowledgment, attribution, or compensation to you. ### 11\. Privacy For more information regarding our collection, use, and disclosure of personal data and certain other data, please see our [Privacy Policy](http://docs.base.org/privacy-policy). The processing of personal data by Coinbase as a processor will be subject to any data processing agreement that you enter into with Coinbase. ### 12\. Third-Party Services The Services may provide access to services, sites, technology, applications and resources that are provided or otherwise made available by third parties (“Third-Party Services”). Your access and use of Third-Party Services may also be subject to additional terms and conditions, privacy policies, or other agreements with such third parties. Coinbase has no control over and is not responsible for such Third-Party Services, including for the accuracy, availability, reliability, or completeness of information or content shared by or available through Third-Party Services, or on the privacy practices of Third-Party Services. We encourage you to review the privacy policies of Third-Party Services prior to using such services. You, and not Coinbase, will be responsible for any and all costs and charges associated with your use of any Third-Party Services. The integration or inclusion of such Third-Party Services does not imply an endorsement or recommendation. Any dealings you have with third parties while using the Services — including if a Third-Party Service may have infringed your intellectual property rights — are between you and the third party. Coinbase will not be responsible or liable, directly or indirectly, for any damage or loss caused or alleged to be caused by or in connection with use of or reliance on any Third-Party Services. ### 13\. Additional Services We or our affiliates may offer additional services that interact with Base, which may require you to agree to additional terms. If, while using an additional service, there is a conflict between these Terms and the additional terms covering that service, the additional terms will prevail. ### 14\. Indemnification To the fullest extent permitted by applicable laws, you will indemnify and hold the Coinbase Entities harmless from and against any claims, disputes, demands, liabilities, damages, losses, and costs and expenses, including, without limitation, reasonable legal and accounting fees arising out of or in any way connected with (a) your access to or use of the Services, (b) your violation of these Terms, or (c) your negligence or willful misconduct. If you are obligated to indemnify any Coinbase Entity hereunder, then you agree that Coinbase (or, at its discretion, the applicable Coinbase Entity) will have the right, in its sole discretion, to control any action or proceeding and to determine whether Coinbase wishes to settle, and if so, on what terms, and you agree to fully cooperate with Coinbase in the defense or settlement of such claim. ### 15\. Warranty Disclaimers TO THE MAXIMUM EXTENT PERMITTED BY APPLICABLE LAW, BASE, THE BRIDGING SMART CONTRACTS, BASENAMES, AND THE SERVICES ARE PROVIDED ON AN “AS IS” AND “AS AVAILABLE” BASIS WITHOUT ANY REPRESENTATION OR WARRANTY, WHETHER EXPRESS, IMPLIED OR STATUTORY. TO THE MAXIMUM EXTENT PERMITTED BY APPLICABLE LAW, COINBASE SPECIFICALLY DISCLAIMS ANY IMPLIED WARRANTIES OF TITLE, MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND/OR NON-INFRINGEMENT. THE COINBASE ENTITIES DO NOT MAKE ANY REPRESENTATIONS OR WARRANTIES THAT (I) ACCESS TO THE SERVICES, BASE, THE BRIDGING SMART CONTRACTS, OR BASENAMES WILL BE CONTINUOUS, UNINTERRUPTED, OR TIMELY; (II) THE SERVICES, BASE, THE BRIDGING SMART CONTRACTS, OR BASENAMES WILL BE COMPATIBLE OR WORK WITH ANY SOFTWARE, SYSTEM OR OTHER SERVICES, INCLUDING ANY WALLETS; (III) THE SERVICES, BASE, THE BRIDGING SMART CONTRACTS, OR BASENAMES WILL BE SECURE, COMPLETE, FREE OF HARMFUL CODE, OR ERROR-FREE; (IV) THE SERVICES, BASE, THE BRIDGING SMART CONTRACTS, OR BASENAMES WILL PREVENT ANY UNAUTHORIZED ACCESS TO, ALTERATION OF, OR THE DELETION, DESTRUCTION, DAMAGE, LOSS OR FAILURE TO STORE ANY OF YOUR CONTENT OR OTHER DATA; OR (V) THAT THE SERVICES, BASE, THE BRIDGING SMART CONTRACTS, OR BASENAMES WILL PROTECT YOUR ASSETS FROM THEFT, HACKING, CYBER ATTACK, OR OTHER FORM OF LOSS OR DEVALUATION CAUSED BY THIRD-PARTY CONDUCT. ### 16\. Limitation of Liability TO THE MAXIMUM EXTENT PERMITTED BY LAW, NEITHER THE COINBASE ENTITIES NOR THEIR RESPECTIVE SERVICE PROVIDERS INVOLVED IN CREATING, PRODUCING, OR DELIVERING THE SERVICES WILL BE LIABLE FOR ANY INCIDENTAL, SPECIAL, EXEMPLARY OR CONSEQUENTIAL DAMAGES, OR DAMAGES FOR LOST PROFITS, LOST REVENUES, LOST SAVINGS, LOST BUSINESS OPPORTUNITY, LOSS OF DATA OR GOODWILL, SERVICE INTERRUPTION, COMPUTER DAMAGE OR SYSTEM FAILURE, INTELLECTUAL PROPERTY INFRINGEMENT, OR THE COST OF SUBSTITUTE SERVICES OF ANY KIND ARISING OUT OF OR IN CONNECTION WITH THESE TERMS OR FROM THE USE OF OR INABILITY TO USE THE SERVICES, BASE, THE BRIDGING SMART CONTRACTS, OR BASENAMES, WHETHER BASED ON WARRANTY, CONTRACT, TORT (INCLUDING NEGLIGENCE), PRODUCT LIABILITY OR ANY OTHER LEGAL THEORY, AND WHETHER OR NOT THE COINBASE ENTITIES OR THEIR RESPECTIVE SERVICE PROVIDERS HAVE BEEN INFORMED OF THE POSSIBILITY OF SUCH DAMAGE, EVEN IF A LIMITED REMEDY SET FORTH HEREIN IS FOUND TO HAVE FAILED OF ITS ESSENTIAL PURPOSE. TO THE MAXIMUM EXTENT PERMITTED BY LAW, IN NO EVENT WILL THE COINBASE ENTITIES’ TOTAL LIABILITY ARISING OUT OF OR IN CONNECTION WITH THESE TERMS OR FROM THE USE OF OR INABILITY TO USE THE SERVICES, BASE, THE BRIDGING SMART CONTRACTS, OR BASENAMES EXCEED THE AMOUNTS YOU HAVE PAID OR ARE PAYABLE BY YOU TO THE COINBASE ENTITIES FOR USE OF THE SERVICES OR ONE HUNDRED DOLLARS ($100), WHICHEVER IS HIGHER. THE EXCLUSIONS AND LIMITATIONS OF DAMAGES SET FORTH ABOVE ARE FUNDAMENTAL ELEMENTS OF THE BASIS OF THE BARGAIN BETWEEN COINBASE AND YOU. IF ANY PORTION OF THESE SECTIONS IS HELD TO BE INVALID UNDER THE LAWS OF YOUR STATE OF RESIDENCE, THE INVALIDITY OF SUCH PORTION WILL NOT AFFECT THE VALIDITY OF THE REMAINING PORTIONS OF THE APPLICABLE SECTIONS. SOME JURISDICTIONS DO NOT ALLOW THE EXCLUSION OR LIMITATION OF INCIDENTAL OR CONSEQUENTIAL OR CERTAIN OTHER DAMAGES, SO THE ABOVE LIMITATIONS AND EXCLUSIONS MAY NOT APPLY TO YOU. ### 17\. Changes to Terms We reserve the right, in our sole discretion, to change these Terms at any time and your continued use of the Services after the date any such changes become effective constitutes your acceptance of the new Terms. You should periodically visit this page to review the current Terms so you are aware of any revisions. If you do not agree to abide by these or any future Terms, you are not permitted to access, browse, or use (or continue to access, browse, or use) the Services. ### 18\. Notice Any notices or other communications provided by us under these Terms, including those regarding modifications to these Terms, will be posted online, in the Services, or through other electronic communication. You agree and consent to receive electronically all communications, agreements, documents, notices and disclosures that we provide in connection with your use of the Services. ### 19\. Entire Agreement. These Terms and any other documents incorporated by reference comprise the entire understanding and agreement between you and Coinbase as to the subject matter hereof, and supersedes any and all prior discussions, agreements and understandings of any kind (including without limitation any prior versions of these Terms), between you and Coinbase. Section headings in these Terms are for convenience only and shall not govern the meaning or interpretation of any provision of these Terms. ### 20\. Assignment We reserve the right to assign our rights without restriction, including without limitation to any Coinbase affiliates or subsidiaries, or to any successor in interest of any business associated with the Services. In the event that Coinbase is acquired by or merged with a third party entity, we reserve the right, in any of these circumstances, to transfer or assign the information we have collected from you as part of such merger, acquisition, sale, or other change of control. You may not assign any rights and/or licenses granted under these Terms. Any attempted transfer or assignment by you in violation hereof shall be null and void. Subject to the foregoing, these Terms will bind and inure to the benefit of the parties, their successors and permitted assigns. ### 21\. Severability If any provision of these Terms is determined to be invalid or unenforceable under any rule, law, or regulation of any local, state, or federal government agency, such provision will be changed and interpreted to accomplish the objectives of the provision to the greatest extent possible under any applicable law and the validity or enforceability of any other provision of these Terms shall not be affected. ### 22\. Termination; Survival We may suspend or terminate your access to and use of the Services at our sole discretion, at any time and without notice to you. Upon any termination, discontinuation or cancellation of the Services, Sections 7 through 27 of the Terms will survive. ### 23\. Governing Law You agree that the laws of the State of California, without regard to principles of conflict of laws, will govern these Terms and any Dispute, except to the extent governed by federal law. ### 24\. Force Majeure We shall not be liable for delays, failure in performance or interruption of service which result directly or indirectly from any cause or condition beyond our reasonable control, including but not limited to, significant market volatility, act of God, act of civil or military authorities, act of terrorists, civil disturbance, war, strike or other labor dispute, fire, interruption in telecommunications or Internet services or network provider services, failure of equipment and/or software, pandemic, other catastrophe or any other occurrence which is beyond our reasonable control and shall not affect the validity and enforceability of any remaining provisions. ### 25\. Non-Waiver of Rights These Terms shall not be construed to waive rights that cannot be waived under applicable laws, including applicable state money transmission laws in the state where you are located. In addition, our failure to insist upon or enforce strict performance by you of any provision of these Terms or to exercise any right under these Terms will not be construed as a waiver or relinquishment to any extent of our right to assert or rely upon any such provision or right in that or any other instance. ### 26\. Relationship of the Parties Coinbase is an independent contractor for all purposes. Nothing in these Terms is intended to or shall operate to create a partnership or joint venture between you and Coinbase, or authorize you to act as agent of Coinbase. These Terms are not intended to, and do not, create or impose any fiduciary duties on us. To the fullest extent permitted by law, you acknowledge and agree that we owe no fiduciary duties or liabilities to you or any other party, and that to the extent any such duties or liabilities may exist at law or in equity, those duties and liabilities are hereby irrevocably disclaimed, waived, and foregone. You further agree that the only duties and obligations that we owe you are those set out expressly in these Terms. ### 27\. Dispute Resolution, Arbitration Agreement, Class Action Waiver, And Jury Trial Waiver If you have a dispute with us, you agree to first contact Coinbase Support via our Customer Support page ( [https://help.coinbase.com](https://help.coinbase.com/)). If Coinbase Support is unable to resolve your dispute, you agree to follow our Formal Complaint Process. You begin this process by submitting our [complaint form](https://help.coinbase.com/en/coinbase/other-topics/other/how-to-send-a-complaint). If you would prefer to send a written complaint via mail, please include as much information as possible in describing your complaint, including your support ticket number, how you would like us to resolve the complaint, and any other relevant information to us at 82 Nassau St #61234, New York, NY 10038. The Formal Complaint Process is completed when Coinbase responds to your complaint or 45 business days after the date we receive your complaint, whichever occurs first. You agree to complete the Formal Complaint Process before filing an arbitration demand or action in small claims court. #### Disputes with Users Who Reside in the United States or Canada If you reside in the United States or Canada, and if you have a dispute with us or if we have a dispute with you, the dispute shall be resolved through binding arbitration or in small claims court pursuant to the Arbitration Agreement in Appendix 1 below. As an illustration only, the following is a summary of some of the terms of the Arbitration Agreement: - Disputes will be resolved individually (in other words, you are waiving your right to proceed against Coinbase in a class action). However, if you or we bring a coordinated group of arbitration demands with other claimants, you and we agree that the American Arbitration Association (AAA) must batch your or our arbitration demand with up to 100 other claimants to increase the efficiency and resolution of such claims. - Certain disputes must be decided before a court, including (1) any claim that the class action waiver is unenforceable, (2) any dispute about the payment of arbitration fees, (3) any dispute about whether you have completed the prerequisites to arbitration (such as exhausting the support and Formal Complaint processes), (4) any dispute about which version of the Arbitration Agreement applies, and (5) any dispute about whether a dispute is subject to the Arbitration Agreement in the first instance. - In the event that a dispute is filed with a court that does not fall into one of the above five categories, either you or Coinbase may move to compel the court to order arbitration. If the court issues an order compelling arbitration, the prevailing party on the motion to compel may recover its reasonable attorneys’ fees and costs. #### Disputes with Users Who Reside Outside the United States and Canada If you do not reside in the United States or Canada, the Arbitration Agreement in Appendix 1 does not apply to you and you may resolve any claim you have with us relating to, arising out of, or in any way in connection with our Terms, us, or our Services in a court of competent jurisdiction. We use cookies and similar technologies on our websites to enhance and tailor your experience, analyze our traffic, and for security and marketing. You can choose not to allow some type of cookies by clicking Manage Settings. For more information see our [Cookie Policy](https://docs.base.org/cookie-policy). Manage settings Accept all ## Array Exercises Guide 404 The requested path could not be found ## Frontend Setup Overview 404 The requested path could not be found ## Decommissioning Geth Snapshots 404 The requested path could not be found ## Base Discord Help 404 The requested path could not be found ## NFT Tags Tutorial 404 The requested path could not be found ## Security Bounty Program 404 The requested path could not be found ## Simulate Contract Usage 404 The requested path could not be found ## Simple Storage Guide 404 The requested path could not be found ## Tags and Actions Tutorial 404 The requested path could not be found ## Farcaster to Open Frame 404 The requested path could not be found ## Paymaster Tags Tutorial 404 The requested path could not be found ## Wallet Connectors Setup 404 The requested path could not be found ## Base Progress Tracking 404 The requested path could not be found ## Base Storage Overview 404 The requested path could not be found ## Writing to Contracts 404 The requested path could not be found ## Function Modifiers Overview 404 The requested path could not be found ## Smart Wallet Tutorial 404 The requested path could not be found ## Shopify Integration Guide 404 The requested path could not be found ## Base Oracles Tutorial 404 The requested path could not be found ## Base Nodes Tutorial 404 The requested path could not be found ## Subscription Payments Tutorial 404 The requested path could not be found ## Abstract Contracts Overview 404 The requested path could not be found ## Identity Tags Tutorial 404 The requested path could not be found ## BaseNames Documentation 404 The requested path could not be found ## Function Visibility Guide 404 The requested path could not be found ## VRF Tags Tutorial 404 The requested path could not be found ## Hardhat Tools Overview 404 The requested path could not be found ## Tokens Overview 404 The requested path could not be found ## Filtering Arrays Guide 404 The requested path could not be found ## New Keyword Exercises 404 The requested path could not be found ## New Keyword Guide 404 The requested path could not be found ## Account Abstraction Tutorial 404 The requested path could not be found ## Minimal Tokens Guide 404 The requested path could not be found ## Hardhat Verify Guide 404 The requested path could not be found ## Solidity Overview 404 The requested path could not be found ## Ethereum Applications Overview 404 The requested path could not be found ## Gasless Transactions Tutorial 404 The requested path could not be found ## Control Structures Exercises 404 The requested path could not be found ## Hardhat Testing Guide 404 The requested path could not be found ## Error Triage Exercise 404 The requested path could not be found ## Base Test Networks Guide 404 The requested path could not be found ## Hardhat Deploy Guide 404 The requested path could not be found ## Reading Account Data 404 The requested path could not be found ## Reading Data with useReadContract 404 The requested path could not be found ## Minimal Tokens Exercise 404 The requested path could not be found ## Ethereum Virtual Machine 404 The requested path could not be found ## Smart Contracts Overview 404 The requested path could not be found ## Account Abstraction Tutorial 404 The requested path could not be found ## On-Chain App Guide 404 The requested path could not be found ## Onchain Kit Tutorial 404 The requested path could not be found ## Configuring useReadContract 404 The requested path could not be found ## Smart Wallet Tutorial 404 The requested path could not be found ## Solidity Deployment Guide 404 The requested path could not be found ## Account Abstraction Overview 404 The requested path could not be found ## ERC-721 Token Guide 404 The requested path could not be found ## ERC-721 Token Guide 404 The requested path could not be found ## ERC-20 Token Standard 404 The requested path could not be found ## Remix for Solidity 404 The requested path could not be found ## Hardhat Deploy Setup 404 The requested path could not be found ## ERC-721 Token Guide 404 The requested path could not be found ## ERC-20 Token Exercises 404 The requested path could not be found ## Contract Verification Guide 404 The requested path could not be found ## Base Types Overview 404 The requested path could not be found ## Transferring Minimal Tokens 404 The requested path could not be found ## ERC-20 Token Analysis 404 The requested path could not be found ## Hardhat Setup Guide 404 The requested path could not be found ## ERC-20 Token Guide 404 The requested path could not be found ## Hardhat Forking Guide 404 The requested path could not be found ## Solidity Overview 404 The requested path could not be found ## Hardhat Testing Guide 404 The requested path could not be found ## Base Testnet Deployment 404 The requested path could not be found ## Creating Minimal Tokens 404 The requested path could not be found ## Ethereum Gas Usage 404 The requested path could not be found ## Introduction to Ethereum 404 The requested path could not be found ## Base Sepolia Deployment 404 The requested path could not be found ## Smart Contract Anatomy 404 The requested path could not be found ## Etherscan Guide 404 The requested path could not be found ## Hello World Contract 404 The requested path could not be found ## Hardhat Events Guide 404 The requested path could not be found ## Contract Interaction Guide 404 The requested path could not be found ## Error Handling in Base 404 The requested path could not be found ## Testnet Deployment Overview 404 The requested path could not be found ## Base.org Tags Guide 404 The requested path could not be found ## Base API Search 404 The requested path could not be found ## Base.org Tutorials 404 The requested path could not be found ## Base Tags Tutorial 404 The requested path could not be found