1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187
use bech32::{decode, encode, FromBase32, ToBase32, Variant};
use cosmwasm_std::testing::MockApi;
use cosmwasm_std::{
Addr, Api, CanonicalAddr, RecoverPubkeyError, StdError, StdResult, VerificationError,
};
use sha2::{Digest, Sha256};
/// Implementation of the `Api` trait that uses [`Bech32`] format
/// for humanizing canonical addresses.
///
/// [`Bech32`]:https://github.com/bitcoin/bips/blob/master/bip-0173.mediawiki
pub struct MockApiBech32 {
api: MockApi,
prefix: String,
variant: Variant,
}
impl MockApiBech32 {
/// Returns `Api` implementation that uses specified prefix
/// to generate addresses in **Bech32** format.
///
/// # Example
///
/// ```
/// use cw_multi_test::addons::MockApiBech32;
///
/// let api = MockApiBech32::new("juno");
/// let addr = api.addr_make("creator");
/// assert_eq!(addr.as_str(),
/// "juno1h34lmpywh4upnjdg90cjf4j70aee6z8qqfspugamjp42e4q28kqsksmtyp");
/// ```
pub fn new(prefix: &str) -> Self {
Self::new_with_variant(prefix, Variant::Bech32)
}
/// Creates `Api` implementation that uses specified prefix
/// to generate addresses in format defined by provided Bech32 variant.
pub(crate) fn new_with_variant(prefix: &str, variant: Variant) -> Self {
Self {
api: MockApi::default(),
prefix: prefix.to_string(),
variant,
}
}
}
impl Api for MockApiBech32 {
/// Takes a human readable address in **Bech32** format and checks if it is valid.
///
/// If the validation succeeds, an `Addr` containing the same string as the input is returned.
///
/// # Example
///
/// ```
/// use cosmwasm_std::Api;
/// use cw_multi_test::addons::MockApiBech32;
///
/// let api = MockApiBech32::new("juno");
/// let addr = api.addr_make("creator");
/// assert_eq!(api.addr_validate(addr.as_str()).unwrap().as_str(),
/// addr.as_str());
/// ```
fn addr_validate(&self, input: &str) -> StdResult<Addr> {
self.addr_humanize(&self.addr_canonicalize(input)?)
}
/// Takes a human readable address in **Bech32** format and returns
/// a canonical binary representation of it.
///
/// # Example
///
/// ```
/// use cosmwasm_std::Api;
/// use cw_multi_test::addons::MockApiBech32;
///
/// let api = MockApiBech32::new("juno");
/// let addr = api.addr_make("creator");
/// assert_eq!(api.addr_canonicalize(addr.as_str()).unwrap().to_string(),
/// "BC6BFD848EBD7819C9A82BF124D65E7F739D08E002601E23BB906AACD40A3D81");
/// ```
fn addr_canonicalize(&self, input: &str) -> StdResult<CanonicalAddr> {
if let Ok((prefix, decoded, variant)) = decode(input) {
if prefix == self.prefix && variant == self.variant {
if let Ok(bytes) = Vec::<u8>::from_base32(&decoded) {
return Ok(bytes.into());
}
}
}
Err(StdError::generic_err("Invalid input"))
}
/// Takes a canonical address and returns a human readable address in **Bech32** format.
///
/// This is the inverse operation of [`addr_canonicalize`].
///
/// [`addr_canonicalize`]: MockApiBech32::addr_canonicalize
///
/// # Example
///
/// ```
/// use cosmwasm_std::Api;
/// use cw_multi_test::addons::MockApiBech32;
///
/// let api = MockApiBech32::new("juno");
/// let addr = api.addr_make("creator");
/// let canonical_addr = api.addr_canonicalize(addr.as_str()).unwrap();
/// assert_eq!(api.addr_humanize(&canonical_addr).unwrap().as_str(),
/// addr.as_str());
/// ```
fn addr_humanize(&self, canonical: &CanonicalAddr) -> StdResult<Addr> {
if let Ok(encoded) = encode(&self.prefix, canonical.as_slice().to_base32(), self.variant) {
Ok(Addr::unchecked(encoded))
} else {
Err(StdError::generic_err("Invalid canonical address"))
}
}
fn secp256k1_verify(
&self,
message_hash: &[u8],
signature: &[u8],
public_key: &[u8],
) -> Result<bool, VerificationError> {
self.api
.secp256k1_verify(message_hash, signature, public_key)
}
fn secp256k1_recover_pubkey(
&self,
message_hash: &[u8],
signature: &[u8],
recovery_param: u8,
) -> Result<Vec<u8>, RecoverPubkeyError> {
self.api
.secp256k1_recover_pubkey(message_hash, signature, recovery_param)
}
fn ed25519_verify(
&self,
message: &[u8],
signature: &[u8],
public_key: &[u8],
) -> Result<bool, VerificationError> {
self.api.ed25519_verify(message, signature, public_key)
}
fn ed25519_batch_verify(
&self,
messages: &[&[u8]],
signatures: &[&[u8]],
public_keys: &[&[u8]],
) -> Result<bool, VerificationError> {
self.api
.ed25519_batch_verify(messages, signatures, public_keys)
}
fn debug(&self, message: &str) {
self.api.debug(message)
}
}
impl MockApiBech32 {
/// Returns an address in **Bech32** format, built from provided input string.
///
/// # Example
///
/// ```
/// use cw_multi_test::addons::MockApiBech32;
///
/// let api = MockApiBech32::new("juno");
/// let addr = api.addr_make("creator");
/// assert_eq!(addr.as_str(),
/// "juno1h34lmpywh4upnjdg90cjf4j70aee6z8qqfspugamjp42e4q28kqsksmtyp");
/// ```
///
/// # Panics
///
/// This function panics when generating a valid address in **Bech32**
/// format is not possible, especially when prefix is too long or empty.
pub fn addr_make(&self, input: &str) -> Addr {
let digest = Sha256::digest(input).to_vec();
match encode(&self.prefix, digest.to_base32(), self.variant) {
Ok(address) => Addr::unchecked(address),
Err(reason) => panic!("Generating address failed with reason: {}", reason),
}
}
}