13 releases (stable)
1.13.2 | Aug 29, 2024 |
---|---|
1.13.0 | Aug 6, 2024 |
1.2.1 | Jun 18, 2024 |
1.1.8 | Mar 20, 2024 |
1.1.4 | Jul 4, 2023 |
#964 in Magic Beans
405 downloads per month
Used in injective-testing
160KB
4K
SLoC
injective-test-tube
CosmWasm x Injective integration testing library that, unlike cw-multi-test
, it allows you to test your cosmwasm contract against real chain's logic instead of mocks.
The dev
branch depends on currently private repos, but you can use published versions instead. Please refer to CHANGELOG
for features and update information.
Table of Contents
Getting Started
To demonstrate how injective-test-tube
works, let use simple example contract: cw-whitelist from cw-plus
.
Here is how to setup the test:
use cosmwasm_std::Coin;
use injective_test_tube::InjectiveTestApp;
// create new injective appchain instance.
let app = InjectiveTestApp::new();
// create new account with initial funds
let accs = app
.init_accounts(
&[
Coin::new(1_000_000_000_000u128, "usdt"),
Coin::new(1_000_000_000_000u128, "inj"),
],
2,
)
.unwrap();
let admin = &accs[0];
let new_admin = &accs[1];
Now we have the appchain instance and accounts that have some initial balances and can interact with the appchain. This does not run Docker instance or spawning external process, it just loads the appchain's code as a library to create an in memory instance.
Note that init_accounts
is a convenience function that creates multiple accounts with the same initial balance.
If you want to create just one account, you can use init_account
instead.
use cosmwasm_std::Coin;
use injective_test_tube::InjectiveTestApp;
let app = InjectiveTestApp::new();
let account = app.init_account(&[
Coin::new(1_000_000_000_000u128, "usdt"),
Coin::new(1_000_000_000_000u128, "inj"),
]);
Now if we want to test a cosmwasm contract, we need to
- build the wasm file
- store code
- instantiate
Then we can start interacting with our contract. Let's do just that.
use cosmwasm_std::Coin;
use cw1_whitelist::msg::{InstantiateMsg}; // for instantiating cw1_whitelist contract
use injective_test_tube::{Account, Module, InjectiveTestApp, Wasm};
let app = InjectiveTestApp::new();
let accs = app
.init_accounts(
&[
Coin::new(1_000_000_000_000u128, "usdt"),
Coin::new(1_000_000_000_000u128, "inj"),
],
2,
)
.unwrap();
let admin = &accs[0];
let new_admin = &accs[1];
// ============= NEW CODE ================
// `Wasm` is the module we use to interact with cosmwasm related logic on the appchain
// it implements `Module` trait which you will see more later.
let wasm = Wasm::new(&app);
// Load compiled wasm bytecode
let wasm_byte_code = std::fs::read("./test_artifacts/cw1_whitelist.wasm").unwrap();
let code_id = wasm
.store_code(&wasm_byte_code, None, admin)
.unwrap()
.data
.code_id;
Not that in this example, it loads wasm bytecode from cw-plus release for simple demonstration purposes.
You might want to run cargo wasm
and find your wasm file in target/wasm32-unknown-unknown/release/<contract_name>.wasm
.
use cosmwasm_std::Coin;
use cw1_whitelist::msg::{InstantiateMsg, QueryMsg, AdminListResponse};
use injective_test_tube::{Account, Module, InjectiveTestApp, Wasm};
let app = InjectiveTestApp::new();
let accs = app
.init_accounts(
&[
Coin::new(1_000_000_000_000u128, "usdt"),
Coin::new(1_000_000_000_000u128, "inj"),
],
2,
)
.unwrap();
let admin = &accs[0];
let new_admin = &accs[1];
let wasm = Wasm::new(&app);
let wasm_byte_code = std::fs::read("./test_artifacts/cw1_whitelist.wasm").unwrap();
let code_id = wasm
.store_code(&wasm_byte_code, None, admin)
.unwrap()
.data
.code_id;
// ============= NEW CODE ================
// instantiate contract with initial admin and make admin list mutable
let init_admins = vec![admin.address()];
let contract_addr = wasm
.instantiate(
code_id,
&InstantiateMsg {
admins: init_admins.clone(),
mutable: true,
},
None, // contract admin used for migration, not the same as cw1_whitelist admin
Some("Test label"), // contract label
&[], // funds
admin, // signer
)
.unwrap()
.data
.address;
// query contract state to check if contract instantiation works properly
let admin_list = wasm
.query::<QueryMsg, AdminListResponse>(&contract_addr, &QueryMsg::AdminList {})
.unwrap();
assert_eq!(admin_list.admins, init_admins);
assert!(admin_list.mutable);
Now let's execute the contract and verify that the contract's state is updated properly.
use cosmwasm_std::Coin;
use cw1_whitelist::msg::{InstantiateMsg, QueryMsg, ExecuteMsg, AdminListResponse};
use injective_test_tube::{Account, Module, InjectiveTestApp, Wasm};
let app = InjectiveTestApp::new();
let accs = app
.init_accounts(
&[
Coin::new(1_000_000_000_000u128, "usdt"),
Coin::new(1_000_000_000_000u128, "inj"),
],
2,
)
.unwrap();
let admin = &accs[0];
let new_admin = &accs[1];
let wasm = Wasm::new(&app);
let wasm_byte_code = std::fs::read("./test_artifacts/cw1_whitelist.wasm").unwrap();
let code_id = wasm
.store_code(&wasm_byte_code, None, admin)
.unwrap()
.data
.code_id;
// instantiate contract with initial admin and make admin list mutable
let init_admins = vec![admin.address()];
let contract_addr = wasm
.instantiate(
code_id,
&InstantiateMsg {
admins: init_admins.clone(),
mutable: true,
},
None, // contract admin used for migration, not the same as cw1_whitelist admin
Some("Test label"), // contract label
&[], // funds
admin, // signer
)
.unwrap()
.data
.address;
let admin_list = wasm
.query::<QueryMsg, AdminListResponse>(&contract_addr, &QueryMsg::AdminList {})
.unwrap();
assert_eq!(admin_list.admins, init_admins);
assert!(admin_list.mutable);
// ============= NEW CODE ================
// update admin list and rechec the state
let new_admins = vec![new_admin.address()];
wasm.execute::<ExecuteMsg>(
&contract_addr,
&ExecuteMsg::UpdateAdmins {
admins: new_admins.clone(),
},
&[],
admin,
)
.unwrap();
let admin_list = wasm
.query::<QueryMsg, AdminListResponse>(&contract_addr, &QueryMsg::AdminList {})
.unwrap();
assert_eq!(admin_list.admins, new_admins);
assert!(admin_list.mutable);
Debugging
In your contract code, if you want to debug, you can use deps.api.debug(..)
which will print the debug message to stdout. wasmd
disabled this by default but InjectiveTestApp
allows stdout emission so that you can debug your smart contract while running tests.
Using Module Wrapper
In some cases, you might want to interact directly with appchain logic to setup the environment or query appchain's state. Module wrappers provides convenient functions to interact with the appchain's module.
Let's try to interact with Exchange
module:
use cosmwasm_std::{Addr, Coin};
use injective_std::types::injective::exchange::v1beta1::{
MarketStatus, MsgInstantSpotMarketLaunch,
QuerySpotMarketsRequest, QuerySpotMarketsResponse, SpotMarket,
};
use injective_test_tube::{Account, Exchange, InjectiveTestApp};
use test_tube_inj::Module;
let app = InjectiveTestApp::new();
let signer = app
.init_account(&[
Coin::new(10_000_000_000_000_000_000_000u128, "inj"),
Coin::new(100_000_000_000_000_000_000u128, "usdt"),
])
.unwrap();
let trader = app
.init_account(&[
Coin::new(10_000_000_000_000_000_000_000u128, "inj"),
Coin::new(100_000_000_000_000_000_000u128, "usdt"),
])
.unwrap();
let exchange = Exchange::new(&app);
exchange
.instant_spot_market_launch(
MsgInstantSpotMarketLaunch {
sender: signer.address(),
ticker: "INJ/USDT".to_owned(),
base_denom: "inj".to_owned(),
quote_denom: "usdt".to_owned(),
min_price_tick_size: "10000".to_owned(),
min_quantity_tick_size: "100000".to_owned(),
min_notional: "1".to_owned(),
},
&signer,
)
.unwrap();
exchange
.instant_spot_market_launch(
MsgInstantSpotMarketLaunch {
sender: signer.address(),
ticker: "INJ/USDT".to_owned(),
base_denom: "inj".to_owned(),
quote_denom: "usdt".to_owned(),
min_price_tick_size: "10000".to_owned(),
min_quantity_tick_size: "100000".to_owned(),
min_notional: "1".to_owned(),
},
&signer,
)
.unwrap_err();
app.increase_time(1u64);
let spot_markets = exchange
.query_spot_markets(&QuerySpotMarketsRequest {
status: "Active".to_owned(),
market_ids: vec![],
})
.unwrap();
let expected_response = QuerySpotMarketsResponse {
markets: vec![SpotMarket {
ticker: "INJ/USDT".to_string(),
base_denom: "inj".to_string(),
quote_denom: "usdt".to_string(),
maker_fee_rate: "-100000000000000".to_string(),
taker_fee_rate: "1000000000000000".to_string(),
relayer_fee_share_rate: "400000000000000000".to_string(),
market_id: "0xd5a22be807011d5e42d5b77da3f417e22676efae494109cd01c242ad46630115"
.to_string(),
status: MarketStatus::Active.into(),
min_price_tick_size: "10000".to_string(),
min_quantity_tick_size: "100000".to_string(),
min_notional: "1".to_string(),
admin: "".to_string(),
admin_permissions: 0u32,
}],
};
assert_eq!(spot_markets, expected_response);
Additional examples can be found in the modules directory.
Versioning
The version of injective-test-tube is determined by the version of injective-core it follows. Changes made to test-tube or injective-test-tube will be notified by a new release candidate marker e.g. 1.13.2-rc1
.
Dependencies
~27–43MB
~764K SLoC