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
mod migrations;

pub type CliResult = color_eyre::eyre::Result<()>;

use color_eyre::eyre::{ContextCompat, WrapErr};
use std::{io::Write, str::FromStr};
use tracing_indicatif::span_ext::IndicatifSpanExt;

#[derive(Debug, Clone, serde::Serialize, serde::Deserialize)]
pub struct Config {
    pub credentials_home_dir: std::path::PathBuf,
    pub network_connection: linked_hash_map::LinkedHashMap<String, NetworkConfig>,
}

impl Default for Config {
    fn default() -> Self {
        let home_dir = dirs::home_dir().expect("Impossible to get your home dir!");
        let mut credentials_home_dir = std::path::PathBuf::from(&home_dir);
        credentials_home_dir.push(".near-credentials");

        let mut network_connection = linked_hash_map::LinkedHashMap::new();
        network_connection.insert(
            "mainnet".to_string(),
            NetworkConfig {
                network_name: "mainnet".to_string(),
                rpc_url: "https://archival-rpc.mainnet.near.org".parse().unwrap(),
                wallet_url: "https://app.mynearwallet.com/".parse().unwrap(),
                explorer_transaction_url: "https://explorer.near.org/transactions/"
                    .parse()
                    .unwrap(),
                rpc_api_key: None,
                linkdrop_account_id: Some("near".parse().unwrap()),
                near_social_db_contract_account_id: Some("social.near".parse().unwrap()),
                faucet_url: None,
                meta_transaction_relayer_url: None,
                fastnear_url: Some("https://api.fastnear.com/".parse().unwrap()),
                staking_pools_factory_account_id: Some("poolv1.near".parse().unwrap()),
                coingecko_url: Some("https://api.coingecko.com/".parse().unwrap()),
            },
        );
        network_connection.insert(
            "testnet".to_string(),
            NetworkConfig {
                network_name: "testnet".to_string(),
                rpc_url: "https://archival-rpc.testnet.near.org".parse().unwrap(),
                wallet_url: "https://testnet.mynearwallet.com/".parse().unwrap(),
                explorer_transaction_url: "https://explorer.testnet.near.org/transactions/"
                    .parse()
                    .unwrap(),
                rpc_api_key: None,
                linkdrop_account_id: Some("testnet".parse().unwrap()),
                near_social_db_contract_account_id: Some("v1.social08.testnet".parse().unwrap()),
                faucet_url: Some("https://helper.nearprotocol.com/account".parse().unwrap()),
                meta_transaction_relayer_url: None,
                fastnear_url: None,
                staking_pools_factory_account_id: Some("pool.f863973.m0".parse().unwrap()),
                coingecko_url: None,
            },
        );

        Self {
            credentials_home_dir,
            network_connection,
        }
    }
}

impl Config {
    pub fn network_names(&self) -> Vec<String> {
        self.network_connection
            .iter()
            .map(|(_, network_config)| network_config.network_name.clone())
            .collect()
    }

    pub fn into_latest_version(self) -> migrations::ConfigVersion {
        migrations::ConfigVersion::V2(self)
    }

    pub fn get_config_toml() -> color_eyre::eyre::Result<Self> {
        if let Some(mut path_config_toml) = dirs::config_dir() {
            path_config_toml.extend(&["near-cli", "config.toml"]);

            if !path_config_toml.is_file() {
                Self::write_config_toml(crate::config::Config::default())?;
            };

            let config_toml = std::fs::read_to_string(&path_config_toml)?;

            let config_version = toml::from_str::<migrations::ConfigVersion>(&config_toml).or_else::<color_eyre::eyre::Report, _>(|err| {
                if let Ok(config_v1) = toml::from_str::<migrations::ConfigV1>(&config_toml) {
                    Ok(migrations::ConfigVersion::V1(config_v1))
                } else {
                    eprintln!("Warning: `near` CLI configuration file stored at {path_config_toml:?} could not be parsed due to: {err}");
                    eprintln!("Note: The default configuration printed below will be used instead:\n");
                    let default_config = crate::config::Config::default();
                    eprintln!("{}", toml::to_string(&default_config)?);
                    Ok(default_config.into_latest_version())
                }
            })?;

            Ok(config_version.into())
        } else {
            Ok(crate::config::Config::default())
        }
    }

    pub fn write_config_toml(self) -> CliResult {
        let config_toml = toml::to_string(&self.into_latest_version())?;
        let mut path_config_toml =
            dirs::config_dir().wrap_err("Impossible to get your config dir!")?;

        path_config_toml.push("near-cli");
        std::fs::create_dir_all(&path_config_toml)?;
        path_config_toml.push("config.toml");

        std::fs::File::create(&path_config_toml)
            .wrap_err_with(|| format!("Failed to create file: {path_config_toml:?}"))?
            .write(config_toml.as_bytes())
            .wrap_err_with(|| format!("Failed to write to file: {path_config_toml:?}"))?;

        eprintln!("Note: `near` CLI configuration is stored in {path_config_toml:?}");

        Ok(())
    }
}

#[derive(Debug, Clone, serde::Serialize, serde::Deserialize)]
pub struct NetworkConfig {
    pub network_name: String,
    pub rpc_url: url::Url,
    pub rpc_api_key: Option<crate::types::api_key::ApiKey>,
    pub wallet_url: url::Url,
    pub explorer_transaction_url: url::Url,
    // https://github.com/near/near-cli-rs/issues/116
    pub linkdrop_account_id: Option<near_primitives::types::AccountId>,
    // https://docs.near.org/social/contract
    pub near_social_db_contract_account_id: Option<near_primitives::types::AccountId>,
    pub faucet_url: Option<url::Url>,
    pub meta_transaction_relayer_url: Option<url::Url>,
    pub fastnear_url: Option<url::Url>,
    pub staking_pools_factory_account_id: Option<near_primitives::types::AccountId>,
    pub coingecko_url: Option<url::Url>,
}

impl NetworkConfig {
    pub(crate) fn get_fields(&self) -> color_eyre::eyre::Result<Vec<String>> {
        let network_config_value: serde_json::Value =
            serde_json::from_str(&serde_json::to_string(self)?)?;
        Ok(network_config_value
            .as_object()
            .wrap_err("Internal error")?
            .iter()
            .map(|(key, value)| format!("{key}: {value}"))
            .collect())
    }

    #[tracing::instrument(name = "Connecting to RPC", skip_all)]
    pub fn json_rpc_client(&self) -> near_jsonrpc_client::JsonRpcClient {
        tracing::Span::current().pb_set_message(self.rpc_url.as_str());
        let mut json_rpc_client =
            near_jsonrpc_client::JsonRpcClient::connect(self.rpc_url.as_ref());
        if let Some(rpc_api_key) = &self.rpc_api_key {
            json_rpc_client =
                json_rpc_client.header(near_jsonrpc_client::auth::ApiKey::from(rpc_api_key.clone()))
        };
        json_rpc_client
    }

    pub fn get_near_social_account_id_from_network(
        &self,
    ) -> color_eyre::eyre::Result<near_primitives::types::AccountId> {
        if let Some(account_id) = self.near_social_db_contract_account_id.clone() {
            return Ok(account_id);
        }
        match self.network_name.as_str() {
            "mainnet" => near_primitives::types::AccountId::from_str("social.near")
                .wrap_err("Internal error"),
            "testnet" => near_primitives::types::AccountId::from_str("v1.social08.testnet")
                .wrap_err("Internal error"),
            _ => color_eyre::eyre::Result::Err(color_eyre::eyre::eyre!(
                "This network does not provide the \"near-social\" contract"
            )),
        }
    }
}

impl From<migrations::ConfigVersion> for Config {
    fn from(mut config_version: migrations::ConfigVersion) -> Self {
        loop {
            config_version = match config_version {
                migrations::ConfigVersion::V1(config_v1) => {
                    migrations::ConfigVersion::V2(config_v1.into())
                }
                migrations::ConfigVersion::V2(config_v2) => {
                    break config_v2;
                }
            };
        }
    }
}