Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Feature/wallet token freeze unfreeze #1312

Merged
merged 6 commits into from
Oct 31, 2023
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 2 additions & 0 deletions chainstate/src/detail/query.rs
Original file line number Diff line number Diff line change
@@ -265,6 +265,7 @@ impl<'a, S: BlockchainStorageRead, V: TransactionVerificationStrategy> Chainstat
token_data.metadata_uri().to_owned(),
circulating_supply,
(*token_data.total_supply()).into(),
token_data.is_frozen(),
));
Ok(Some(rpc_issuance))
}
@@ -358,6 +359,7 @@ fn to_rpc_token_info(
issuance.metadata_uri.clone(),
issuance.amount_to_issue,
RPCTokenTotalSupply::Fixed(issuance.amount_to_issue),
false,
)))
}
TokenData::NftIssuance(nft) => {
3 changes: 3 additions & 0 deletions common/src/chain/tokens/rpc.rs
Original file line number Diff line number Diff line change
@@ -63,6 +63,7 @@ pub struct RPCFungibleTokenInfo {
pub metadata_uri: Vec<u8>,
pub circulating_supply: Amount,
pub total_supply: RPCTokenTotalSupply,
pub is_frozen: bool,
}

impl RPCFungibleTokenInfo {
@@ -73,6 +74,7 @@ impl RPCFungibleTokenInfo {
metadata_uri: Vec<u8>,
circulating_supply: Amount,
total_supply: RPCTokenTotalSupply,
is_frozen: bool,
) -> Self {
Self {
token_id,
@@ -81,6 +83,7 @@ impl RPCFungibleTokenInfo {
metadata_uri,
circulating_supply,
total_supply,
is_frozen,
}
}
}
11 changes: 9 additions & 2 deletions test/functional/test_framework/wallet_cli_controller.py
Original file line number Diff line number Diff line change
@@ -178,8 +178,9 @@ async def issue_new_token(self,
number_of_decimals: int,
metadata_uri: str,
destination_address: str,
token_supply: str = 'unlimited') -> Tuple[Optional[str], Optional[str]]:
output = await self._write_command(f'issuenewtoken "{token_ticker}" "{number_of_decimals}" "{metadata_uri}" {destination_address} {token_supply}\n')
token_supply: str = 'unlimited',
is_freezable: str = 'freezable') -> Tuple[Optional[str], Optional[str]]:
output = await self._write_command(f'issuenewtoken "{token_ticker}" "{number_of_decimals}" "{metadata_uri}" {destination_address} {token_supply} {is_freezable}\n')
if output.startswith("A new token has been issued with ID"):
return output[output.find(':')+2:], None

@@ -194,6 +195,12 @@ async def unmint_tokens(self, token_id: str, amount: int) -> str:
async def lock_token_supply(self, token_id: str) -> str:
return await self._write_command(f"locktokensupply {token_id}\n")

async def freeze_token(self, token_id: str, is_unfreezable: str) -> str:
return await self._write_command(f"freezetoken {token_id} {is_unfreezable}\n")

async def unfreeze_token(self, token_id: str) -> str:
return await self._write_command(f"unfreezetoken {token_id}\n")

async def issue_new_nft(self,
destination_address: str,
media_hash: str,
1 change: 1 addition & 0 deletions test/functional/test_runner.py
Original file line number Diff line number Diff line change
@@ -133,6 +133,7 @@ class UnicodeOnWindowsError(ValueError):
'wallet_recover_accounts.py',
'wallet_get_address_usage.py',
'wallet_tokens.py',
'wallet_tokens_freeze.py',
'wallet_tokens_change_supply.py',
'wallet_nfts.py',
'wallet_delegations.py',
171 changes: 171 additions & 0 deletions test/functional/wallet_tokens_freeze.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,171 @@
#!/usr/bin/env python3
# Copyright (c) 2023 RBB S.r.l
# Copyright (c) 2017-2021 The Bitcoin Core developers
# opensource@mintlayer.org
# SPDX-License-Identifier: MIT
# Licensed under the MIT License;
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# https://github.com/mintlayer/mintlayer-core/blob/master/LICENSE
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Wallet tokens freeze and unfreeze test
Check that:
* We can create a new wallet,
* get an address
* send coins to the wallet's address
* sync the wallet with the node
* check balance
* issue new token
* transfer some tokens
* check balance
* freeze the token
* check that no more tokens can be sent, minted or unminted
* unfreeze check that all operations are now allowed again
"""

from test_framework.test_framework import BitcoinTestFramework
from test_framework.mintlayer import (make_tx, reward_input, tx_input, ATOMS_PER_COIN)
from test_framework.util import assert_in, assert_equal
from test_framework.mintlayer import mintlayer_hash, block_input_data_obj
from test_framework.wallet_cli_controller import DEFAULT_ACCOUNT_INDEX, WalletCliController

import asyncio
import sys

class WalletTokens(BitcoinTestFramework):

def set_test_params(self):
self.setup_clean_chain = True
self.num_nodes = 1
self.extra_args = [[
"--blockprod-min-peers-to-produce-blocks=0",
]]

def setup_network(self):
self.setup_nodes()
self.sync_all(self.nodes[0:1])

def generate_block(self):
node = self.nodes[0]

block_input_data = { "PoW": { "reward_destination": "AnyoneCanSpend" } }
block_input_data = block_input_data_obj.encode(block_input_data).to_hex()[2:]

# create a new block, taking transactions from mempool
block = node.blockprod_generate_block(block_input_data, [], [], "FillSpaceFromMempool")
node.chainstate_submit_block(block)
block_id = node.chainstate_best_block_id()

# Wait for mempool to sync
self.wait_until(lambda: node.mempool_local_best_block_id() == block_id, timeout = 5)

return block_id

def run_test(self):
if 'win32' in sys.platform:
asyncio.set_event_loop_policy(asyncio.WindowsProactorEventLoopPolicy())
asyncio.run(self.async_test())

async def async_test(self):
node = self.nodes[0]

# new wallet
async with WalletCliController(node, self.config, self.log) as wallet:
await wallet.create_wallet()

# check it is on genesis
assert_equal('0', await wallet.get_best_block_height())

# new address
pub_key_bytes = await wallet.new_public_key()
assert_equal(len(pub_key_bytes), 33)

# Get chain tip
tip_id = node.chainstate_best_block_id()
self.log.debug(f'Tip: {tip_id}')

# Submit a valid transaction
output = {
'Transfer': [ { 'Coin': 501 * ATOMS_PER_COIN }, { 'PublicKey': {'key': {'Secp256k1Schnorr' : {'pubkey_data': pub_key_bytes}}} } ],
}
encoded_tx, tx_id = make_tx([reward_input(tip_id)], [output], 0)

node.mempool_submit_transaction(encoded_tx)
assert node.mempool_contains_tx(tx_id)

block_id = self.generate_block() # Block 1
assert not node.mempool_contains_tx(tx_id)

# sync the wallet
assert_in("Success", await wallet.sync())

# check wallet best block if it is synced
assert_equal(await wallet.get_best_block_height(), '1')
assert_equal(await wallet.get_best_block(), block_id)

assert_in("Coins amount: 501", await wallet.get_balance())

address = await wallet.new_address()

# issue a valid token
token_id, err = await wallet.issue_new_token("XXX", 2, "http://uri", address)
assert token_id is not None
assert err is None
self.log.info(f"new token id: {token_id}")

self.generate_block()
assert_in("Success", await wallet.sync())

assert_in("The transaction was submitted successfully", await wallet.mint_tokens(token_id, address, 10000))

self.generate_block()
assert_in("Success", await wallet.sync())

assert_in(f"{token_id} amount: 10000", await wallet.get_balance())

## create a new account and send some tokens to it
await wallet.create_new_account()
await wallet.select_account(1)
address = await wallet.new_address()

await wallet.select_account(DEFAULT_ACCOUNT_INDEX)
output = await wallet.send_tokens_to_address(token_id, address, 10.01)
assert_in("The transaction was submitted successfully", output)

self.generate_block()
assert_in("Success", await wallet.sync())

## check the new balance
assert_in(f"{token_id} amount: 9989.99", await wallet.get_balance())

assert_in("The transaction was submitted successfully", await wallet.freeze_token(token_id, 'unfreezable'))

# try to send tokens should fail
output = await wallet.send_tokens_to_address(token_id, address, 1)
assert_in("Cannot use a frozen token", output)

assert_in("Cannot use a frozen token", await wallet.mint_tokens(token_id, address, 1))
assert_in("Cannot use a frozen token", await wallet.unmint_tokens(token_id, 1))
assert_in("Cannot use a frozen token", await wallet.lock_token_supply(token_id))

# unfreeze the token
assert_in("The transaction was submitted successfully", await wallet.unfreeze_token(token_id))

# sending tokens should work again
output = await wallet.send_tokens_to_address(token_id, address, 1)
assert_in("The transaction was submitted successfully", output)



if __name__ == '__main__':
WalletTokens().main()



Loading