pub fn replace_strings(
    value: &mut Value,
    contracts: &Vec<ContractInfo>
) -> DeployResult<()>
Examples found in repository?
src/utils.rs (line 25)
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
pub fn replace_strings(value: &mut Value, contracts: &Vec<ContractInfo>) -> DeployResult<()> {
    match value {
        Value::Null => {}
        Value::Bool(_) => {}
        Value::Number(_) => {}
        Value::String(string) => {
            if let Some((_, new)) = string.split_once('&') {
                if let Some(contract) = contracts.iter().find(|x| x.name == new) {
                    match &contract.addr {
                        Some(addr) => *string = addr.clone(),
                        None => return Err(DeployError::AddrNotFound),
                    }
                }
            }
        }
        Value::Array(array) => {
            for value in array {
                replace_strings(value, contracts)?;
            }
        }
        Value::Object(map) => {
            for (_, value) in map {
                replace_strings(value, contracts)?;
            }
        }
    }
    Ok(())
}
More examples
Hide additional examples
src/contract.rs (line 49)
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
pub async fn execute(contract: &impl Execute) -> Result<(), DeployError> {
    println!("Executing");
    let mut config = Config::load()?;
    let mut msg = contract.execute_msg()?;
    replace_strings(&mut msg, &config.get_active_env()?.contracts)?;
    let key = config.get_active_key().await?;
    let chain_info = config.get_active_chain_info()?;
    let client = CosmosgRPC::new(chain_info.grpc_endpoint.clone().unwrap());
    let cosm_tome = CosmTome::new(chain_info, client);
    let contract_addr = config.get_contract_addr_mut(&contract.to_string())?.clone();
    let funds = Vec::<Coin>::parse_to_obj()?;
    let tx_options = TxOptions { timeout_height: None, fee: None, memo: "wasm_deploy".into() };
    let req = ExecRequest { msg, funds, address: Address::from_str(&contract_addr).unwrap() };
    let response = cosm_tome.wasm_execute(req, &key, &tx_options).await?;

    println!(
        "gas wanted: {}, gas used: {}",
        response.res.gas_wanted.to_string().green(),
        response.res.gas_used.to_string().green()
    );
    println!("tx hash: {}", response.res.tx_hash.purple());

    Ok(())
}

pub trait Query: Serialize + DeserializeOwned + Display + Debug {
    fn query_msg(&self) -> Result<Value, DeployError>;
    fn parse(contract: &impl Contract) -> DeployResult<Self>;
}

pub async fn query(contract: &impl Query) -> Result<(), DeployError> {
    println!("Querying");
    let mut config = Config::load()?;
    let mut msg = contract.query_msg()?;
    replace_strings(&mut msg, &config.get_active_env()?.contracts)?;
    let chain_info = config.get_active_chain_info()?;
    let addr = config.get_contract_addr_mut(&contract.to_string())?;
    let client = CosmosgRPC::new(chain_info.grpc_endpoint.clone().unwrap());
    let cosm_tome = CosmTome::new(chain_info, client);
    let response = cosm_tome.wasm_query(Address::from_str(addr).unwrap(), &msg).await?;

    let string = String::from_utf8(response.res.data.unwrap()).unwrap();
    let value: serde_json::Value = serde_json::from_str(string.as_str()).unwrap();
    let color = to_colored_json_auto(&value)?;
    println!("{color}");

    Ok(())
}
src/wasm_msg.rs (line 69)
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
pub async fn msg_contract(contracts: &[impl Contract], msg_type: DeploymentStage) -> DeployResult<()> {
    let mut config = Config::load()?;
    let chain_info = config.get_active_chain_info()?;
    let key = config.get_active_key().await?;
    let client = CosmosgRPC::new(chain_info.grpc_endpoint.clone().unwrap());
    let cosm_tome = CosmTome::new(chain_info, client);
    let tx_options = TxOptions { timeout_height: None, fee: None, memo: "wasm_deploy".into() };

    let response: Option<ChainTxResponse> = match msg_type {
        DeploymentStage::StoreCode => {
            let mut reqs = vec![];
            for contract in contracts {
                println!("Storing code for {}", contract.name());
                let path = format!("./artifacts/{}.wasm", contract.name());
                let wasm_data = std::fs::read(path)?;
                reqs.push(StoreCodeRequest { wasm_data, instantiate_perms: None });
            }
            let response = cosm_tome.wasm_store_batch(reqs, &key, &tx_options).await?;

            for (i, contract) in contracts.iter().enumerate() {
                match config.get_contract(&contract.to_string()) {
                    Ok(contract_info) => contract_info.code_id = Some(response.code_ids[i]),
                    Err(_) => {
                        config.add_contract_from(ContractInfo {
                            name:    contract.name(),
                            addr:    None,
                            code_id: Some(response.code_ids[i]),
                        })?;
                    }
                }
            }
            config.save()?;
            Some(response.res)
        }
        DeploymentStage::Instantiate => {
            let mut reqs = vec![];
            let tx_options =
                TxOptions { timeout_height: None, fee: None, memo: "wasm_deploy".into() };
            for contract in contracts {
                println!("Instantiating {}", contract.name());
                let mut msg = contract.instantiate_msg()?;
                replace_strings(&mut msg, &config.get_active_env()?.contracts)?;
                let contract_info = config.get_contract(&contract.to_string())?;
                let code_id = contract_info.code_id.ok_or(DeployError::CodeIdNotFound)?;
                reqs.push(InstantiateRequest {
                    code_id,
                    msg,
                    label: contract.name(),
                    admin: Some(Address::from_str(&contract.admin()).unwrap()),
                    funds: vec![],
                });
                for mut external in contract.external_instantiate_msgs()? {
                    println!("Instantiating {}", external.name);
                    replace_strings(&mut external.msg, &config.get_active_env()?.contracts)?;
                    reqs.push(InstantiateRequest {
                        code_id: external.code_id,
                        msg:     external.msg,
                        label:   external.name.clone(),
                        admin:   Some(Address::from_str(&contract.admin()).unwrap()),
                        funds:   vec![],
                    });
                }
            }
            let response = cosm_tome.wasm_instantiate_batch(reqs, &key, &tx_options).await?;
            let mut index = 0;
            for contract in contracts {
                let contract_info = config.get_contract(&contract.to_string())?;
                contract_info.addr = Some(response.addresses[index].to_string());
                index += 1;
                for external in contract.external_instantiate_msgs()? {
                    config.add_contract_from(ContractInfo {
                        name:    external.name,
                        addr:    Some(response.addresses[index].to_string()),
                        code_id: Some(external.code_id),
                    })?;
                    index += 1;
                }
            }
            config.save()?;
            Some(response.res)
        }
        DeploymentStage::SetConfig => {
            let mut reqs = vec![];
            for contract in contracts {
                println!("Setting config for {}", contract.name());
                let Some(mut msg) = contract.config_msg()? else { return Ok(()) };
                replace_strings(&mut msg, &config.get_active_env()?.contracts)?;
                let contract_addr = config.get_contract_addr_mut(&contract.to_string())?.clone();
                reqs.push(ExecRequest { msg, funds: vec![], address: Address::from_str(&contract_addr).unwrap() });
            }
            let response = cosm_tome.wasm_execute_batch(reqs, &key, &tx_options).await?;
            Some(response.res)
        }
        DeploymentStage::SetUp => {
            let mut reqs = vec![];
            for contract in contracts {
                println!("Executing Set Up for {}", contract.name());
                for mut msg in contract.set_up_msgs()? {
                    replace_strings(&mut msg, &config.get_active_env()?.contracts)?;
                    let contract_addr = config.get_contract_addr_mut(&contract.to_string())?.clone();
                    reqs.push(ExecRequest { msg, funds: vec![], address: Address::from_str(&contract_addr).unwrap() });
                }
            }
            let response = cosm_tome.wasm_execute_batch(reqs, &key, &tx_options).await?;
            Some(response.res)
        }
        DeploymentStage::Migrate => {
            let mut reqs = vec![];
            for contract in contracts {
                if let Some(mut msg) = contract.migrate_msg()? {
                    println!("Migrating {}", contract.name());
                    replace_strings(&mut msg, &config.get_active_env()?.contracts)?;
                    let contract_info = config.get_contract(&contract.to_string())?;
                    let contract_addr = contract_info.addr.clone().ok_or(DeployError::AddrNotFound)?;
                    let code_id = contract_info.code_id.ok_or(DeployError::CodeIdNotFound)?;
                    reqs.push(MigrateRequest {
                        msg,
                        address: Address::from_str(&contract_addr).unwrap(),
                        new_code_id: code_id,
                    });
                }
            }
            let response = cosm_tome.wasm_migrate_batch(reqs, &key, &tx_options).await?;
            Some(response.res)
        }
    };
    if let Some(res) = response {
        println!("gas wanted: {}, gas used: {}", res.gas_wanted.to_string().green(), res.gas_used.to_string().green());
        println!("tx hash: {}", res.tx_hash.purple());
    }

    Ok(())
}