ミントアカウントとは
ミントアカウントは、Solana上のトークンを定義し一意に識別するもので、そのミントに対するすべてのtoken accountに適用される共有状態を保存します。
Token Programは、 Mint アカウントタイプを次のように定義しています:
/// Mint data.#[repr(C)]#[derive(Clone, Copy, Debug, Default, PartialEq)]pub struct Mint {/// Optional authority used to mint new tokens. The mint authority may only/// be provided during mint creation. If no mint authority is present/// then the mint has a fixed supply and no further tokens may be/// minted.pub mint_authority: COption<Pubkey>,/// Total supply of tokens.pub supply: u64,/// Number of base 10 digits to the right of the decimal place.pub decimals: u8,/// Is `true` if this structure has been initializedpub is_initialized: bool,/// Optional authority to freeze token accounts.pub freeze_authority: COption<Pubkey>,}
すべてのトークンには1つのmint accountがあり、ミントアドレスはウォレット、アプリケーション、エクスプローラー全体でトークンの一意の識別子となります。
例えば、USD
Coin(USDC)のミントアドレスはEPjFWdd5AufqSSqeM2qN1xzybapC8G4wEGGkZwyTDt1vです。このミントアドレスは、Solanaエコシステム全体でUSDCを一意に識別します。このミントはSolana Explorerで確認できます。
ミントアカウントの作成方法
ミントの作成には、2つのinstructionsが必要です:
- System Programの
CreateAccount命令は、rentを免除された新しいアカウントを作成し、Token Programを新しいアカウントのプログラムオーナーとして割り当てます。 - Token Programの
InitializeMintまたはInitializeMint2命令は、新しいアカウントをミントとして初期化します。
CreateAccount
命令とミント初期化命令を同じトランザクションに含めてください。
ミント初期化時に、Token Programはmint
accountがまだ初期化されておらず、rentが免除されていることを確認します。その後、Token
Programはミント権限、凍結権限、小数点桁数、 is_initialized フラグをmint
accountデータに書き込みます。
ソース参照
| 項目 | 説明 | Token Program | Token Extensions Program |
|---|---|---|---|
Mint | すべてのmint accountに保存される基本的なミント状態。 | ソース | ソース |
InitializeMint | アカウントリストにrent sysvarアカウントを必要とするミント初期化命令。 | ソース | ソース |
InitializeMint2 | アカウントリストにrent sysvarアカウントを必要としないミント初期化命令。 | ソース | ソース |
_process_initialize_mint | ミント初期化のための共有プロセッサロジック。 | ソース | ソース |
process_initialize_mint | InitializeMint のパブリックハンドラ。 | ソース | ソース |
process_initialize_mint2 | InitializeMint2 のパブリックハンドラ。 | ソース | ソース |
Typescript
以下のKitの例では、@solana/kitを使用した推奨アプローチを示しています。
@solana/web3.jsを使用したレガシー例も参考として含まれています。
Kit
import { generateKeyPairSigner } from "@solana/kit";import { createLocalClient } from "@solana/kit-client-rpc";import { tokenProgram } from "@solana-program/token";const client = await createLocalClient().use(tokenProgram());const mint = await generateKeyPairSigner();const result = await client.token.instructions.createMint({newMint: mint, // New mint account to create.decimals: 9, // Decimals to define on the mint account.mintAuthority: client.payer.address, // Authority allowed to mint new tokens.freezeAuthority: client.payer.address // Authority allowed to freeze token accounts.}).sendTransaction();const mintAccount = await client.token.accounts.mint.fetch(mint.address);console.log("Mint Address:", mint.address);console.log("Mint Account:", mintAccount.data);console.log("\nTransaction Signature:", result.context.signature);
Web3.js
import { Connection, Keypair, LAMPORTS_PER_SOL } from "@solana/web3.js";import { createMint, getMint, TOKEN_PROGRAM_ID } from "@solana/spl-token";const mintPubkey = await createMint(connection,feePayer,feePayer.publicKey, // Authority allowed to mint new tokens.feePayer.publicKey, // Authority allowed to freeze token accounts.9, // Decimals to define on the mint account.Keypair.generate(), // New mint account to create.{commitment: "confirmed"},TOKEN_PROGRAM_ID);const mintAccount = await getMint(connection,mintPubkey,"confirmed",TOKEN_PROGRAM_ID);console.log("Mint Address:", mintPubkey.toBase58());console.log("Mint Account:", mintAccount);
Rust
use anyhow::Result;use solana_client::nonblocking::rpc_client::RpcClient;use solana_commitment_config::CommitmentConfig;use solana_sdk::{program_pack::Pack,signature::{Keypair, Signer},transaction::Transaction,};use solana_system_interface::instruction::create_account;use spl_token_interface::{id as token_program_id, instruction::initialize_mint, state::Mint};#[tokio::main]async fn main() -> Result<()> {let client = RpcClient::new_with_commitment(String::from("http://localhost:8899"),CommitmentConfig::confirmed(),);let latest_blockhash = client.get_latest_blockhash().await?;let transaction = Transaction::new_signed_with_payer(&[create_account(&fee_payer.pubkey(), // Account funding account creation.&mint.pubkey(), // New mint account to create.mint_rent, // Lamports funding the new account rent.Mint::LEN as u64, // Account size in bytes.&token_program_id(), // Program that owns the new account.),initialize_mint(&token_program_id(),&mint.pubkey(), // Mint account to initialize.&fee_payer.pubkey(), // Authority allowed to mint new tokens.Some(&fee_payer.pubkey()), // Authority allowed to freeze token accounts.9, // Decimals to define on the mint account.)?,],Some(&fee_payer.pubkey()),&[&fee_payer, &mint],latest_blockhash,);let transaction_signature = client.send_and_confirm_transaction(&transaction).await?;let mint_account = client.get_account(&mint.pubkey()).await?;let mint_data = Mint::unpack(&mint_account.data)?;println!("Mint Address: {}", mint.pubkey());println!("Mint Account: {:#?}", mint_data);println!("\nTransaction Signature: {}", transaction_signature);Ok(())}
Python
#!/usr/bin/env python3import asyncioimport jsonfrom solana.rpc.async_api import AsyncClientfrom solders.keypair import Keypairfrom solders.message import Messagefrom solders.system_program import create_account, CreateAccountParamsfrom solders.transaction import Transactionfrom spl.token.async_client import AsyncTokenfrom spl.token.instructions import initialize_mint, InitializeMintParamsfrom spl.token.constants import MINT_LEN, TOKEN_PROGRAM_IDDECIMALS = 9async def main():rpc = AsyncClient("http://localhost:8899")async with rpc:create_mint_instructions = [create_account(CreateAccountParams(from_pubkey=fee_payer.pubkey(), # Account funding account creation.to_pubkey=mint.pubkey(), # New mint account to create.lamports=mint_rent, # Lamports funding the new account rent.space=MINT_LEN, # Account size in bytes.owner=TOKEN_PROGRAM_ID, # Program that owns the new account.)),initialize_mint(InitializeMintParams(program_id=TOKEN_PROGRAM_ID, # Token program to invoke.mint=mint.pubkey(), # Mint account to initialize.decimals=DECIMALS, # Decimals to define on the mint account.mint_authority=fee_payer.pubkey(), # Authority allowed to mint new tokens.freeze_authority=fee_payer.pubkey(), # Authority allowed to freeze token accounts.)),]latest_blockhash = await rpc.get_latest_blockhash()transaction = Transaction([fee_payer, mint],Message(create_mint_instructions, fee_payer.pubkey()),latest_blockhash.value.blockhash,)result = await rpc.send_transaction(transaction)token = AsyncToken(rpc, mint.pubkey(), TOKEN_PROGRAM_ID, fee_payer)mint_info = await token.get_mint_info()mint_account = {"mint_authority": None if mint_info.mint_authority is None else str(mint_info.mint_authority),"supply": mint_info.supply,"decimals": mint_info.decimals,"is_initialized": mint_info.is_initialized,"freeze_authority": None if mint_info.freeze_authority is None else str(mint_info.freeze_authority),}print("Mint Address:", mint.pubkey())print("Mint Account:")print(json.dumps(mint_account, indent=2))print("\nTransaction Signature:", result.value)if __name__ == "__main__":asyncio.run(main())
メタデータの追加方法
mint accountには、基本的なトークン情報(供給量、小数点以下桁数、権限)のみが保存されます。トークンに名前、シンボル、画像などの人間が読めるメタデータを追加するには、2つのオプションがあります:
Metaplex Token Metadata
Metaplex Token Metadata Programを使用してメタデータを追加します。オリジナルのToken ProgramとToken-2022の両方で機能します。
Token Extensions Metadata
Token-2022の組み込みメタデータ拡張機能を使用します。 メタデータ拡張機能は、Token-2022で作成されたmint accountでのみ利用可能です。 オリジナルのToken Programで作成されたmint accountにメタデータを追加するには、Metaplex Token Metadata Programを使用してください。
Is this page helpful?