cw_orch_daemon/senders/
cosmos.rs

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
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
use super::{
    cosmos_options::CosmosWalletKey,
    query::QuerySender,
    sign::{Signer, SigningAccount},
    tx::TxSender,
};
use crate::{
    core::parse_cw_coins,
    cosmos_modules::{self, auth::BaseAccount},
    env::{DaemonEnvVars, LOCAL_MNEMONIC_ENV_NAME, MAIN_MNEMONIC_ENV_NAME, TEST_MNEMONIC_ENV_NAME},
    error::DaemonError,
    keys::private::PrivateKey,
    proto::injective::{InjectiveEthAccount, ETHEREUM_COIN_TYPE},
    queriers::{Bank, Node},
    tx_builder::TxBuilder,
    tx_resp::CosmTxResponse,
    upload_wasm, CosmosOptions, GrpcChannel,
};
use bitcoin::secp256k1::{All, Secp256k1, Signing};
use cosmos_modules::vesting::PeriodicVestingAccount;
use cosmrs::{
    bank::MsgSend,
    crypto::secp256k1::SigningKey,
    proto::traits::Message,
    tendermint::chain::Id,
    tx::{self, Fee, ModeInfo, Msg, Raw, SignDoc, SignMode, SignerInfo, SignerPublicKey},
    AccountId, Any,
};
use cosmwasm_std::{coin, Addr, Coin};
use cw_orch_core::{
    contract::WasmPath,
    environment::{AccessConfig, ChainInfoOwned, ChainKind},
    CoreEnvVars, CwEnvError,
};
use std::{str::FromStr, sync::Arc};
use tonic::transport::Channel;

#[cfg(feature = "eth")]
use crate::proto::injective::InjectiveSigner;

const GAS_BUFFER: f64 = 1.3;
const BUFFER_THRESHOLD: u64 = 200_000;
const SMALL_GAS_BUFFER: f64 = 1.4;

/// A wallet is a sender of transactions, can be safely cloned and shared within the same thread.
pub type Wallet = CosmosSender<All>;

/// Signer of the transactions and helper for address derivation
/// This is the main interface for simulating and signing transactions
#[derive(Clone)]
pub struct CosmosSender<C: Signing + Clone> {
    pub private_key: PrivateKey,
    /// gRPC channel
    pub grpc_channel: Channel,
    /// Information about the chain
    pub chain_info: Arc<ChainInfoOwned>,
    pub(crate) options: CosmosOptions,
    pub secp: Secp256k1<C>,
}

impl Wallet {
    pub async fn new(
        chain_info: &Arc<ChainInfoOwned>,
        options: CosmosOptions,
    ) -> Result<Wallet, DaemonError> {
        let secp = Secp256k1::new();

        let pk_from_mnemonic = |mnemonic: &str| -> Result<PrivateKey, DaemonError> {
            PrivateKey::from_words(
                &secp,
                mnemonic,
                0,
                options.hd_index.unwrap_or(0),
                chain_info.network_info.coin_type,
            )
        };

        let pk: PrivateKey = match &options.key {
            CosmosWalletKey::Mnemonic(mnemonic) => pk_from_mnemonic(mnemonic)?,
            CosmosWalletKey::Env => {
                let mnemonic = get_mnemonic_env(&chain_info.kind)?;
                pk_from_mnemonic(&mnemonic)?
            }
            CosmosWalletKey::RawKey(bytes) => PrivateKey::from_raw_key(
                &secp,
                bytes,
                0,
                options.hd_index.unwrap_or(0),
                chain_info.network_info.coin_type,
            )?,
        };

        // ensure address is valid
        AccountId::new(
            &chain_info.network_info.pub_address_prefix,
            &pk.public_key(&secp).raw_address.unwrap(),
        )?;

        Ok(Self {
            chain_info: chain_info.clone(),
            grpc_channel: GrpcChannel::from_chain_info(chain_info.as_ref()).await?,
            private_key: pk,
            secp,
            options,
        })
    }

    /// Construct a new Sender from a mnemonic
    pub async fn from_mnemonic(
        chain_info: &Arc<ChainInfoOwned>,
        mnemonic: &str,
    ) -> Result<Wallet, DaemonError> {
        let options = CosmosOptions {
            key: CosmosWalletKey::Mnemonic(mnemonic.to_string()),
            ..Default::default()
        };
        Self::new(chain_info, options).await
    }

    pub fn channel(&self) -> Channel {
        self.grpc_channel.clone()
    }

    pub fn options(&self) -> CosmosOptions {
        self.options.clone()
    }

    pub fn public_key(&self) -> Option<SignerPublicKey> {
        self.private_key.get_signer_public_key(&self.secp)
    }

    /// Replaces the private key that the [CosmosSender] is using with key derived from the provided 24-word mnemonic.
    /// If you want more control over the derived private key, use [Self::set_private_key]
    pub fn set_mnemonic(&mut self, mnemonic: impl Into<String>) -> Result<(), DaemonError> {
        let secp = Secp256k1::new();

        let pk = PrivateKey::from_words(
            &secp,
            &mnemonic.into(),
            0,
            self.options.hd_index.unwrap_or(0),
            self.chain_info.network_info.coin_type,
        )?;
        self.set_private_key(pk);
        Ok(())
    }

    /// Replaces the private key the sender is using
    /// You can use a mnemonic to overwrite the key using [Self::set_mnemonic]
    pub fn set_private_key(&mut self, private_key: PrivateKey) {
        self.private_key = private_key
    }

    pub fn set_authz_granter(&mut self, granter: &Addr) {
        self.options.authz_granter = Some(granter.to_owned());
    }

    pub fn set_fee_granter(&mut self, granter: &Addr) {
        self.options.fee_granter = Some(granter.to_owned());
    }

    pub fn pub_addr_str(&self) -> String {
        Signer::account_id(self).to_string()
    }

    pub async fn bank_send(
        &self,
        recipient: &Addr,
        coins: Vec<cosmwasm_std::Coin>,
    ) -> Result<CosmTxResponse, DaemonError> {
        let acc_id = self.msg_sender()?;

        let msg_send = MsgSend {
            from_address: acc_id,
            to_address: AccountId::from_str(recipient.as_str())?,
            amount: parse_cw_coins(&coins)?,
        };

        self.commit_tx(vec![msg_send], Some("sending tokens")).await
    }

    /// Computes the gas needed for submitting a transaction
    pub async fn calculate_gas(
        &self,
        tx_body: &tx::Body,
        sequence: u64,
        account_number: u64,
    ) -> Result<u64, DaemonError> {
        let fee = TxBuilder::build_fee(
            0u8,
            &self.chain_info.gas_denom,
            0,
            self.options.fee_granter.clone(),
        )?;

        let auth_info = SignerInfo {
            public_key: self.private_key.get_signer_public_key(&self.secp),
            mode_info: ModeInfo::single(SignMode::Direct),
            sequence,
        }
        .auth_info(fee);

        let sign_doc = SignDoc::new(
            tx_body,
            &auth_info,
            &Id::try_from(self.chain_info.chain_id.to_string())?,
            account_number,
        )?;

        let tx_raw = self.sign(sign_doc)?;

        Node::new_async(self.channel())
            ._simulate_tx(tx_raw.to_bytes()?)
            .await
    }

    /// Simulates the transaction against an actual node
    /// Returns the gas needed as well as the fee needed for submitting a transaction
    pub async fn simulate(
        &self,
        msgs: Vec<Any>,
        memo: Option<&str>,
    ) -> Result<(u64, Coin), DaemonError> {
        let timeout_height = Node::new_async(self.channel())._block_height().await? + 10u64;

        let tx_body = TxBuilder::build_body(msgs, memo, timeout_height);

        let tx_builder = TxBuilder::new(tx_body);

        let gas_needed = tx_builder.simulate(self).await?;

        let (gas_for_submission, fee_amount) = self.get_fee_from_gas(gas_needed)?;
        let expected_fee = coin(fee_amount, self.get_fee_token());
        // During simulation, we also make sure the account has enough balance to submit the transaction
        // This is disabled by an env variable
        if DaemonEnvVars::wallet_balance_assertion() {
            self.assert_wallet_balance(&expected_fee).await?;
        }

        Ok((gas_for_submission, expected_fee))
    }

    pub async fn commit_tx<T: Msg>(
        &self,
        msgs: Vec<T>,
        memo: Option<&str>,
    ) -> Result<CosmTxResponse, DaemonError> {
        let msgs = msgs
            .into_iter()
            .map(Msg::into_any)
            .collect::<Result<Vec<Any>, _>>()
            .unwrap();

        self.commit_tx_any(msgs, memo).await
    }

    pub async fn base_account(&self) -> Result<BaseAccount, DaemonError> {
        let addr = self.address().to_string();

        let mut client = cosmos_modules::auth::query_client::QueryClient::new(self.channel());

        let resp = client
            .account(cosmos_modules::auth::QueryAccountRequest { address: addr })
            .await?
            .into_inner();

        let account = resp.account.unwrap().value;

        let acc = if let Ok(acc) = BaseAccount::decode(account.as_ref()) {
            acc
        } else if let Ok(acc) = PeriodicVestingAccount::decode(account.as_ref()) {
            // try vesting account, (used by Terra2)
            acc.base_vesting_account.unwrap().base_account.unwrap()
        } else if let Ok(acc) = InjectiveEthAccount::decode(account.as_ref()) {
            acc.base_account.unwrap()
        } else {
            return Err(DaemonError::StdErr(
                "Unknown account type returned from QueryAccountRequest".into(),
            ));
        };

        Ok(acc)
    }

    /// Allows for checking wether the sender is able to broadcast a transaction that necessitates the provided `gas`
    pub async fn has_enough_balance_for_gas(&self, gas: u64) -> Result<(), DaemonError> {
        let (_gas_expected, fee_amount) = self.get_fee_from_gas(gas)?;
        let fee_denom = self.get_fee_token();

        self.assert_wallet_balance(&coin(fee_amount, fee_denom))
            .await
    }

    /// Allows checking wether the sender has more funds than the provided `fee` argument
    #[async_recursion::async_recursion(?Send)]
    async fn assert_wallet_balance(&self, fee: &Coin) -> Result<(), DaemonError> {
        let chain_info = self.chain_info.clone();

        let bank = Bank::new_async(self.channel());
        let balance = bank
            ._balance(&self.address(), Some(fee.denom.clone()))
            .await?[0]
            .clone();

        log::debug!(
            "Checking balance {} on chain {}, address {}. Expecting {}{}",
            balance.amount,
            chain_info.chain_id,
            self.address(),
            fee,
            fee.denom
        );

        if balance.amount >= fee.amount {
            log::debug!("The wallet has enough balance to deploy");
            return Ok(());
        }

        // If there is not enough asset balance, we need to warn the user
        log::info!(
            "Not enough funds on chain {} at address {} to deploy the contract. 
                Needed: {}{} but only have: {}.
                Press 'y' when the wallet balance has been increased to resume deployment",
            chain_info.chain_id,
            self.address(),
            fee,
            fee.denom,
            balance
        );

        if CoreEnvVars::manual_interaction() {
            let mut input = String::new();
            std::io::stdin().read_line(&mut input)?;
            if input.to_lowercase().contains('y') {
                // We retry asserting the balance
                self.assert_wallet_balance(fee).await
            } else {
                Err(DaemonError::NotEnoughBalance {
                    expected: fee.clone(),
                    current: balance,
                })
            }
        } else {
            log::info!("No Manual Interactions, defaulting to 'no'");
            return Err(DaemonError::NotEnoughBalance {
                expected: fee.clone(),
                current: balance,
            });
        }
    }

    pub(crate) fn get_fee_token(&self) -> String {
        self.chain_info.gas_denom.to_string()
    }

    fn cosmos_private_key(&self) -> SigningKey {
        SigningKey::from_slice(&self.private_key.raw_key()).unwrap()
    }

    /// Compute the gas fee from the expected gas in the transaction
    /// Applies a Gas Buffer for including signature verification
    pub(crate) fn get_fee_from_gas(&self, gas: u64) -> Result<(u64, u128), DaemonError> {
        let mut gas_expected = if let Some(gas_buffer) = DaemonEnvVars::gas_buffer() {
            gas as f64 * gas_buffer
        } else if gas < BUFFER_THRESHOLD {
            gas as f64 * SMALL_GAS_BUFFER
        } else {
            gas as f64 * GAS_BUFFER
        };

        let min_gas = DaemonEnvVars::min_gas();
        gas_expected = (min_gas as f64).max(gas_expected);

        let fee_amount = gas_expected * (self.chain_info.gas_price + 0.00001);

        Ok((gas_expected as u64, fee_amount as u128))
    }
}

// Helpers to facilitate some rare operations
impl Wallet {
    /// Uploads the `WasmPath` path specifier on chain.
    /// The resulting code_id can be extracted from the Transaction result using [cw_orch_core::environment::IndexResponse::uploaded_code_id] and returns the resulting code_id
    pub async fn upload_wasm(&self, wasm_path: WasmPath) -> Result<CosmTxResponse, DaemonError> {
        self.upload_with_access_config(wasm_path, None).await
    }

    pub async fn upload_with_access_config(
        &self,
        wasm_path: WasmPath,
        access: Option<AccessConfig>,
    ) -> Result<CosmTxResponse, DaemonError> {
        upload_wasm(self, wasm_path, access).await
    }
}

impl QuerySender for Wallet {
    type Error = DaemonError;
    type Options = CosmosOptions;

    fn channel(&self) -> Channel {
        self.channel()
    }
}

fn get_mnemonic_env(chain_kind: &ChainKind) -> Result<String, CwEnvError> {
    match chain_kind {
        ChainKind::Local => DaemonEnvVars::local_mnemonic(),
        ChainKind::Testnet => DaemonEnvVars::test_mnemonic(),
        ChainKind::Mainnet => DaemonEnvVars::main_mnemonic(),
        _ => None,
    }
    .ok_or(CwEnvError::EnvVarNotPresentNamed(
        get_mnemonic_env_name(chain_kind).to_string(),
    ))
}

fn get_mnemonic_env_name(chain_kind: &ChainKind) -> &str {
    match chain_kind {
        ChainKind::Local => LOCAL_MNEMONIC_ENV_NAME,
        ChainKind::Testnet => TEST_MNEMONIC_ENV_NAME,
        ChainKind::Mainnet => MAIN_MNEMONIC_ENV_NAME,
        _ => panic!("Can't set mnemonic for unspecified chainkind"),
    }
}

impl Signer for Wallet {
    fn sign(&self, sign_doc: SignDoc) -> Result<Raw, DaemonError> {
        let tx_raw = if self.private_key.coin_type == ETHEREUM_COIN_TYPE {
            #[cfg(not(feature = "eth"))]
            panic!(
                "Coin Type {} not supported without eth feature",
                ETHEREUM_COIN_TYPE
            );
            #[cfg(feature = "eth")]
            self.private_key.sign_injective(sign_doc)?
        } else {
            sign_doc.sign(&self.cosmos_private_key())?
        };
        Ok(tx_raw)
    }

    fn chain_id(&self) -> String {
        self.chain_info.chain_id.clone()
    }

    fn signer_info(&self, sequence: u64) -> SignerInfo {
        SignerInfo {
            public_key: self.private_key.get_signer_public_key(&self.secp),
            mode_info: ModeInfo::single(SignMode::Direct),
            sequence,
        }
    }

    fn build_fee(&self, amount: impl Into<u128>, gas_limit: u64) -> Result<Fee, DaemonError> {
        TxBuilder::build_fee(
            amount,
            &self.get_fee_token(),
            gas_limit,
            self.options.fee_granter.clone(),
        )
    }

    async fn signing_account(&self) -> Result<super::sign::SigningAccount, DaemonError> {
        let BaseAccount {
            account_number,
            sequence,
            ..
        } = self.base_account().await?;

        Ok(SigningAccount {
            account_number,
            sequence,
        })
    }

    fn gas_price(&self) -> Result<f64, DaemonError> {
        Ok(self.chain_info.gas_price)
    }

    fn account_id(&self) -> AccountId {
        AccountId::new(
            &self.chain_info.network_info.pub_address_prefix,
            &self.private_key.public_key(&self.secp).raw_address.unwrap(),
        )
        // unwrap as address is validated on construction
        .unwrap()
    }

    fn authz_granter(&self) -> Option<&Addr> {
        self.options.authz_granter.as_ref()
    }
}