Add a pallet to the runtime
⚠️ WARNING: This page contains potentially outdated information and instructions. Reading it might still be useful, yet we suggest taking it with a grain of salt. When the new Polkadot developer documentation is published, the content on this page will be updated. Thanks for your patience!
As you saw in Build a local blockchain, the Substrate node template provides a working runtime that includes some default FRAME development modules—pallets—to get you started building a custom blockchain.
This tutorial introduces the basic steps for adding a new pallet to the runtime for the node template. The steps are similar any time you want to add a new FRAME pallet to the runtime. However, each pallet requires specific configuration settings—for example, the specific parameters and types required to perform the functions that the pallet implements. For this tutorial, you'll add the Nicks pallet to the runtime for the node template, so you'll see how to configure the settings that are specific to the Nicks pallet. The Nicks pallet allows blockchain users to pay a deposit to reserve a nickname for an account they control. It implements the following functions:
- The
set_name
function to collect a deposit and set the name of an account if the name is not already taken. - The
clear_name
function to remove the name associated with an account and return the deposit. - The
kill_name
function to forcibly remove an account name without returning the deposit.
Note that this tutorial is a stepping stone to more advanced tutorials that illustrate how to add pallets with more complex configuration settings, how to create custom pallets, and how to publish pallets.
Before you begin
Before you begin, verify the following:
- You have configured your environment for Substrate development by installing Rust and the Rust toolchain.
- You have completed the Build a local blockchain tutorial and have the Substrate node template from the Developer Hub installed locally.
- You are generally familiar with software development and using command-line interfaces.
- You are generally familiar with blockchains and smart contract platforms.
Tutorial objectives
By completing this tutorial, you will use the Nicks pallet to accomplish the following objectives:
- Learn how to update runtime dependencies to include a new pallet.
- Learn how to configure a pallet-specific Rust trait.
- See changes to the runtime by interacting with the new pallet using the front-end template.
Add the Nicks pallet dependencies
Before you can use a new pallet, you must add some information about it to the configuration file that the compiler uses to build the runtime binary.
For Rust programs, you use the Cargo.toml
file to define the configuration settings and dependencies that determine what gets compiled in the resulting binary.
Because the Substrate runtime compiles to both a native platform binary that includes standard library Rust functions and a WebAssembly (Wasm) binary that does not include the standard Rust library, the Cargo.toml
file controls two important pieces of information:
- The pallets to be imported as dependencies for the runtime, including the location and version of the pallets to import.
- The features in each pallet that should be enabled when compiling the native Rust binary. By enabling the standard (
std
) feature set from each pallet, you can compile the runtime to include functions, types, and primitives that would otherwise be missing when you build the WebAssembly binary.
For information about adding dependencies in Cargo.toml
files, see Dependencies in the Cargo documentation.
For information about enabling and managing features from dependent packages, see Features in the Cargo documentation.
To add the dependencies for the Nicks pallet to the runtime:
- Open a terminal shell and change to the root directory for the node template.
- Open the
runtime/Cargo.toml
configuration file in a text editor. - Locate the [dependencies] section and note how other pallets are imported.
-
Copy an existing pallet dependency description and replace the pallet name with
pallet-nicks
to make the pallet available to the node template runtime.For example, add a line similar to the following:
pallet-nicks = { version = "4.0.0-dev", default-features = false, git = "https://github.com/paritytech/polkadot-sdk.git", branch = "polkadot-v1.0.0" }
This line imports the
pallet-nicks
crate as a dependency and specifies the following:- Version to identify which version of the crate you want to import.
- The default behavior for including pallet features when compiling the runtime with the standard Rust libraries.
- Repository location for retrieving the
pallet-nicks
crate. - Branch to use for retrieving the crate. Be sure to use the same version and branch information for the Nicks pallet as you see used for the other pallets included in the runtime.
These details should be the same for every pallet in any given version of the node template.
-
Add the
pallet-nicks/std
features to the list offeatures
to enable when compiling the runtime.[features] default = ["std"] std = [ ... "pallet-aura/std", "pallet-balances/std", "pallet-nicks/std", ... ]
This section specifies the default feature set to compile for this runtime is the
std
features set. When the runtime is compiled using thestd
feature set, thestd
features from all of the pallets listed as dependencies are enabled. For more detailed information about how the runtime is compiled as a platform-native binary with the standard Rust library and as a WebAssembly binary using theno_std
attribute, see Build process.If you forget to update the
features
section in theCargo.toml
file, you might seecannot find function
errors when you compile the runtime binary. -
Check that the new dependencies resolve correctly by running the following command:
cargo check -p node-template-runtime --release
Review the configuration for Balances
Every pallet has a Rust trait called Config
.
The Config
trait is used to identify the parameters and types that the pallet needs to carry out its functions.
Most of the pallet-specific code required to add a pallet is implemented using the Config
trait.
You can review what you to need to implement for any pallet by referring to its Rust documentation or the source code for the pallet.
For example, to see what you need to implement for the nicks
pallet, you can refer to the Rust documentation for pallet_nicks::Config
or the trait definition in the Nicks pallet source code.
For this tutorial, you can see that the Config
trait in the nicks
pallet declares the following types:
pub trait Config: Config {
type RuntimeEvent: From<Event<Self>> + IsType<<Self as Config>::RuntimeEvent>;
type Currency: ReservableCurrency<Self::AccountId>;
type ReservationFee: Get<<<Self as Config>::Currency as Currency<<Self as Config>::AccountId>>::Balance>;
type Slashed: OnUnbalanced<<<Self as Config>::Currency as Currency<<Self as Config>::AccountId>>::NegativeImbalance>;
type ForceOrigin: EnsureOrigin<Self::RuntimeOrigin>;
type MinLength: Get<u32>;
type MaxLength: Get<u32>;
}
After you identify the types your pallet requires, you need to add code to the runtime to implement the Config
trait.
To see how to implement the Config
trait for a pallet, let's use the Balances pallet as an example.
To review the Config
trait for the Balances pallet:
- Open the
runtime/src/lib.rs
file in a text editor. -
Locate the
Balances
pallet and note that it consists of the following implementation (impl
)code block:pub type Balance = u128; // ... /// Existential deposit. pub const EXISTENTIAL_DEPOSIT: u128 = 500; impl pallet_balances::Config for Runtime { type MaxLocks = ConstU32<50>; type MaxReserves = (); type ReserveIdentifier = [u8; 8]; /// The type for recording an account's balance. type Balance = Balance; /// The ubiquitous event type. type RuntimeEvent = RuntimeEvent; /// The empty value, (), is used to specify a no-op callback function. type DustRemoval = (); /// Set the minimum balanced required for an account to exist on-chain type ExistentialDeposit = ConstU128<EXISTENTIAL_DEPOSIT>; /// The FRAME runtime system is used to track the accounts that hold balances. type AccountStore = System; /// Weight information is supplied to the Balances pallet by the node template runtime. type WeightInfo = pallet_balances::weights::SubstrateWeight<Runtime>; }
As you can see in this example, the
impl pallet_balances::Config
block allows you to configure the types and parameters that are specified by the Balances palletConfig
trait. For example, thisimpl
block configures the Balances pallet to use theu128
type to track balances.
Implement the configuration for Nicks
Now that you have seen an example of how the Config
trait is implemented for the Balances pallet, you're ready to implement the Config
trait for the Nicks pallet.
To implement the nicks
pallet in your runtime:
- Open the
runtime/src/lib.rs
file in a text editor. - Locate the last line of the Balances code block.
-
Add the following code block for the Nicks pallet:
impl pallet_nicks::Config for Runtime { // The Balances pallet implements the ReservableCurrency trait. // `Balances` is defined in `construct_runtime!` macro. type Currency = Balances; // Set ReservationFee to a value. type ReservationFee = ConstU128<100>; // No action is taken when deposits are forfeited. type Slashed = (); // Configure the FRAME System Root origin as the Nick pallet admin. // https://paritytech.github.io/substrate/master/frame_system/enum.RawOrigin.html#variant.Root type ForceOrigin = frame_system::EnsureRoot<AccountId>; // Set MinLength of nick name to a desired value. type MinLength = ConstU32<8>; // Set MaxLength of nick name to a desired value. type MaxLength = ConstU32<32>; // The ubiquitous event type. type RuntimeEvent = RuntimeEvent; }
-
Add Nicks to the
construct_runtime!
macro.For example:
construct_runtime!( pub enum Runtime where Block = Block, NodeBlock = opaque::Block, UncheckedExtrinsic = UncheckedExtrinsic { /* --snip-- */ Balances: pallet_balances, /*** Add This Line ***/ Nicks: pallet_nicks, } );
- Save your changes and close the file.
-
Check that the new dependencies resolve correctly by running the following command:
cargo check -p node-template-runtime --release
If there are no errors, you are ready to compile.
-
Compile the node in release mode by running the following command:
cargo build --release
Start the blockchain node
After your node compiles, you are ready to start the node that has been enhanced with nickname capabilities from the Nicks pallet and interact with it using the front-end template.
To start the local Substrate node:
- Open a terminal shell, if necessary.
- Change to the root directory of the Substrate node template.
-
Start the node in development mode by running the following command:
./target/release/node-template --dev
In this case, the
--dev
option specifies that the node runs in developer mode using the predefineddevelopment
chain specification. By default, this option also deletes all active data—such as keys, the blockchain database, and networking information—when you stop the node by pressing Control-c. Using the--dev
option ensures that you have a clean working state any time you stop and restart the node. -
Verify your node is up and running successfully by reviewing the output displayed in the terminal.
If the number after
finalized
is increasing in the console output, your blockchain is producing new blocks and reaching consensus about the state they describe. - Keep the terminal that displays the node output open to continue.
Start the front-end template
Now that you have added a new pallet to your runtime, you can use the Substrate front-end template to interact with the node template and access the Nicks pallet.
To start the front-end template:
- Open a new terminal shell on your computer.
- In the new terminal, change to the root directory where you installed the front-end template.
-
Start the web server for the front-end template by running the following command:
yarn start
- Open
http://localhost:8000/
in a browser to view the front-end template.
Set a nickname using the Nicks pallet
After you start the front-end template, you can use it to interact with the Nicks pallet you just added to the runtime.
To set a nickname for an account:
- Check the account selection list to verify that the Alice account is currently selected.
- In the Pallet Interactor component, verify that Extrinsic is selected.
- Select nicks from the list of pallets available to call.
- Select setName as the function to call from the nicks pallet.
-
Type a name that is longer than the
MinNickLength
(8 characters) and no longer than theMaxNickLength
(32 characters). - Click Signed to execute the function.
-
Observe the status of the call change from Ready to InBlock to Finalized and the note the events emitted by the Nicks pallet.
Query information for an account using the Nicks pallet
Next, you can use Query capability to read the value of Alice's nickname from the runtime storage for the Nicks pallet.
To return the information stored for Alice:
- In the Pallet Interactor component, select Query as the Interaction Type.
- Select nicks from the list of pallets available to query.
- Select nameOf as the function to call.
-
Copy and paste the address for the alice account in the AccountId field, then click Query.
The return type is a tuple that contains two values:
- The hex-encoded nickname for the Alice account
53756273747261746520737570657273746172202d20416c696365
. If you convert the hex-encoded value to a string, you'll see the name you specified for thesetName
function. - The amount that was reserved from Alice's account to secure the nickname (
100
).
If you were to query the Nicks pallet for the
nameOf
for Bob's account, you would see the valueNone
returned because Bob has not invoked thesetName
function to reserve a nickname. - The hex-encoded nickname for the Alice account
Explore additional functions
This tutorial illustrates how to add a simple pallet to the runtime and demonstrates how to interact with the new pallet using the predefined front-end template.
In this case, you added the nicks
pallet to the runtime and called the set_name
and nameOf
functions using the front-end template.
The nicks
pallet also provides two additional functions—the clear_name
function and the kill_name
function—that enable an account owner to remove the reserved name or a root-level user to forcibly remove an account name.
You can learn about additional features—such as the use of the Sudo pallet and origin accounts—by exploring how these functions work.
However, these features are beyond the intended scope of this tutorial.
If you want to explore additional features exposed through the Nicks and Sudo pallets, see Next steps and select Specify the origin for a call.
Next steps
There are several tutorials that can serve as next steps for learning more about Substrate development.
- Specify the origin for a call explores calling functions using different originating accounts.
- Develop smart contracts guide you through using ink! to build smart contracts.
- Use macros in a custom pallet illustrates how you can use macros to create your own pallets.
Before you begin
Tutorial objectives
Add the Nicks pallet dependencies
Review the configuration for Balances
Implement the configuration for Nicks
Start the blockchain node
Start the front-end template
Set a nickname using the Nicks pallet
Query information for an account using the Nicks pallet
Explore additional functions
Next steps