Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: version incompatibility is now a soft warning #1348

Merged
merged 3 commits into from
Apr 30, 2024
Merged
Show file tree
Hide file tree
Changes from 1 commit
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
41 changes: 3 additions & 38 deletions packages/fuels-accounts/src/provider.rs
Original file line number Diff line number Diff line change
Expand Up @@ -31,7 +31,7 @@ use fuels_core::{
chain_info::ChainInfo,
coin::Coin,
coin_type::CoinType,
errors::{error, Result},
errors::Result,
message::Message,
message_proof::MessageProof,
node_info::NodeInfo,
Expand All @@ -42,7 +42,7 @@ use fuels_core::{
},
};
pub use retry_util::{Backoff, RetryConfig};
use supported_versions::{check_fuel_core_version_compatibility, VersionCompatibility};

use tai64::Tai64;
#[cfg(feature = "coin-cache")]
use tokio::sync::Mutex;
Expand Down Expand Up @@ -131,11 +131,8 @@ impl Provider {

/// Connects to an existing node at the given address.
pub async fn connect(url: impl AsRef<str>) -> Result<Provider> {
let client = RetryableClient::new(&url, Default::default())?;
let client = RetryableClient::connect(&url, Default::default()).await?;
let consensus_parameters = client.chain_info().await?.consensus_parameters;
let node_info = client.node_info().await?.into();

Self::ensure_client_version_is_supported(&node_info)?;

Ok(Self {
client,
Expand Down Expand Up @@ -243,38 +240,6 @@ impl Provider {
self.consensus_parameters.base_asset_id()
}

fn ensure_client_version_is_supported(node_info: &NodeInfo) -> Result<()> {
let node_version = node_info
.node_version
.parse::<semver::Version>()
.map_err(|e| error!(Provider, "could not parse Fuel client version: {}", e))?;

let VersionCompatibility {
supported_version,
is_major_supported,
is_minor_supported,
is_patch_supported,
} = check_fuel_core_version_compatibility(node_version.clone());

if !is_major_supported || !is_minor_supported {
return Err(error!(
Provider,
"unsupported Fuel client version. \\
Current version: {}, supported version: {}",
node_version,
supported_version
));
} else if !is_patch_supported {
tracing::warn!(
fuel_client_version = %node_version,
supported_version = %supported_version,
"the patch versions of the client and SDK differ",
);
};

Ok(())
}

pub fn chain_id(&self) -> ChainId {
self.consensus_parameters.chain_id()
}
Expand Down
106 changes: 71 additions & 35 deletions packages/fuels-accounts/src/provider/retryable_client.rs
Original file line number Diff line number Diff line change
Expand Up @@ -17,10 +17,12 @@ use fuels_core::types::errors::{error, Error, Result};

use crate::provider::{retry_util, RetryConfig};

use super::supported_versions::{self, VersionCompatibility};

#[derive(Debug, thiserror::Error)]
pub(crate) enum RequestError {
#[error(transparent)]
IO(#[from] io::Error),
#[error("io error: {0}")]
segfault-magnet marked this conversation as resolved.
Show resolved Hide resolved
IO(String),
}

type RequestResult<T> = std::result::Result<T, RequestError>;
Expand All @@ -36,20 +38,49 @@ pub(crate) struct RetryableClient {
client: FuelClient,
url: String,
retry_config: RetryConfig,
prepend_warning: Option<String>,
}

impl RetryableClient {
pub(crate) fn new(url: impl AsRef<str>, retry_config: RetryConfig) -> Result<Self> {
pub(crate) async fn connect(url: impl AsRef<str>, retry_config: RetryConfig) -> Result<Self> {
let url = url.as_ref().to_string();
let client = FuelClient::new(&url).map_err(|e| error!(Provider, "{e}"))?;

let node_info = client.node_info().await?;
let warning = Self::version_compatibility_warning(&node_info)?;

Ok(Self {
client,
retry_config,
url,
prepend_warning: warning,
})
}

fn version_compatibility_warning(node_info: &NodeInfo) -> Result<Option<String>> {
let node_version = node_info
.node_version
.parse::<semver::Version>()
.map_err(|e| error!(Provider, "could not parse Fuel client version: {}", e))?;

let VersionCompatibility {
supported_version,
is_major_supported,
is_minor_supported,
..
} = supported_versions::compare_node_compatibility(node_version.clone());

let msg = if !is_major_supported || !is_minor_supported {
Some(format!(
"warning: the fuel node version to which this provider is connected has a semver incompatible version from the one the SDK was developed against. Connected node version: {node_version}, supported version: {supported_version}",
))
} else {
None
};

Ok(msg)
}

pub(crate) fn url(&self) -> &str {
&self.url
}
Expand All @@ -58,57 +89,64 @@ impl RetryableClient {
self.retry_config = retry_config;
}

async fn our_retry<T, Fut>(&self, action: impl Fn() -> Fut) -> RequestResult<T>
async fn wrap<T, Fut>(&self, action: impl Fn() -> Fut) -> RequestResult<T>
where
Fut: Future<Output = io::Result<T>>,
{
Ok(retry_util::retry(action, &self.retry_config, |result| result.is_err()).await?)
retry_util::retry(action, &self.retry_config, |result| result.is_err())
.await
.map_err(|e| {
let msg = if let Some(warning) = &self.prepend_warning {
format!("{warning}. {e}")
} else {
e.to_string()
};
RequestError::IO(msg)
})
}

// DELEGATION START
pub async fn health(&self) -> RequestResult<bool> {
self.our_retry(|| self.client.health()).await
self.wrap(|| self.client.health()).await
}

pub async fn transaction(&self, id: &TxId) -> RequestResult<Option<TransactionResponse>> {
self.our_retry(|| self.client.transaction(id)).await
self.wrap(|| self.client.transaction(id)).await
}

pub(crate) async fn chain_info(&self) -> RequestResult<ChainInfo> {
self.our_retry(|| self.client.chain_info()).await
self.wrap(|| self.client.chain_info()).await
}

pub async fn await_transaction_commit(&self, id: &TxId) -> RequestResult<TransactionStatus> {
self.our_retry(|| self.client.await_transaction_commit(id))
.await
self.wrap(|| self.client.await_transaction_commit(id)).await
}

pub async fn submit_and_await_commit(
&self,
tx: &Transaction,
) -> RequestResult<TransactionStatus> {
self.our_retry(|| self.client.submit_and_await_commit(tx))
.await
self.wrap(|| self.client.submit_and_await_commit(tx)).await
}

pub async fn submit(&self, tx: &Transaction) -> RequestResult<TransactionId> {
self.our_retry(|| self.client.submit(tx)).await
self.wrap(|| self.client.submit(tx)).await
}

pub async fn transaction_status(&self, id: &TxId) -> RequestResult<TransactionStatus> {
self.our_retry(|| self.client.transaction_status(id)).await
self.wrap(|| self.client.transaction_status(id)).await
}

pub async fn node_info(&self) -> RequestResult<NodeInfo> {
self.our_retry(|| self.client.node_info()).await
self.wrap(|| self.client.node_info()).await
}

pub async fn latest_gas_price(&self) -> RequestResult<LatestGasPrice> {
self.our_retry(|| self.client.latest_gas_price()).await
self.wrap(|| self.client.latest_gas_price()).await
}

pub async fn estimate_gas_price(&self, block_horizon: u32) -> RequestResult<EstimateGasPrice> {
self.our_retry(|| self.client.estimate_gas_price(block_horizon))
self.wrap(|| self.client.estimate_gas_price(block_horizon))
.await
.map(Into::into)
}
Expand All @@ -117,15 +155,15 @@ impl RetryableClient {
&self,
tx: &[Transaction],
) -> RequestResult<Vec<TransactionExecutionStatus>> {
self.our_retry(|| self.client.dry_run(tx)).await
self.wrap(|| self.client.dry_run(tx)).await
}

pub async fn dry_run_opt(
&self,
tx: &[Transaction],
utxo_validation: Option<bool>,
) -> RequestResult<Vec<TransactionExecutionStatus>> {
self.our_retry(|| self.client.dry_run_opt(tx, utxo_validation))
self.wrap(|| self.client.dry_run_opt(tx, utxo_validation))
.await
}

Expand All @@ -135,7 +173,7 @@ impl RetryableClient {
asset_id: Option<&AssetId>,
request: PaginationRequest<String>,
) -> RequestResult<PaginatedResult<Coin, String>> {
self.our_retry(move || self.client.coins(owner, asset_id, request.clone()))
self.wrap(move || self.client.coins(owner, asset_id, request.clone()))
.await
}

Expand All @@ -145,33 +183,31 @@ impl RetryableClient {
spend_query: Vec<(AssetId, u64, Option<u32>)>,
excluded_ids: Option<(Vec<UtxoId>, Vec<Nonce>)>,
) -> RequestResult<Vec<Vec<CoinType>>> {
self.our_retry(move || {
self.wrap(move || {
self.client
.coins_to_spend(owner, spend_query.clone(), excluded_ids.clone())
})
.await
}

pub async fn balance(&self, owner: &Address, asset_id: Option<&AssetId>) -> RequestResult<u64> {
self.our_retry(|| self.client.balance(owner, asset_id))
.await
self.wrap(|| self.client.balance(owner, asset_id)).await
}

pub async fn contract_balance(
&self,
id: &ContractId,
asset: Option<&AssetId>,
) -> RequestResult<u64> {
self.our_retry(|| self.client.contract_balance(id, asset))
.await
self.wrap(|| self.client.contract_balance(id, asset)).await
}

pub async fn contract_balances(
&self,
contract: &ContractId,
request: PaginationRequest<String>,
) -> RequestResult<PaginatedResult<ContractBalance, String>> {
self.our_retry(|| self.client.contract_balances(contract, request.clone()))
self.wrap(|| self.client.contract_balances(contract, request.clone()))
.await
}

Expand All @@ -180,15 +216,15 @@ impl RetryableClient {
owner: &Address,
request: PaginationRequest<String>,
) -> RequestResult<PaginatedResult<Balance, String>> {
self.our_retry(|| self.client.balances(owner, request.clone()))
self.wrap(|| self.client.balances(owner, request.clone()))
.await
}

pub async fn transactions(
&self,
request: PaginationRequest<String>,
) -> RequestResult<PaginatedResult<TransactionResponse, String>> {
self.our_retry(|| self.client.transactions(request.clone()))
self.wrap(|| self.client.transactions(request.clone()))
.await
}

Expand All @@ -197,7 +233,7 @@ impl RetryableClient {
owner: &Address,
request: PaginationRequest<String>,
) -> RequestResult<PaginatedResult<TransactionResponse, String>> {
self.our_retry(|| self.client.transactions_by_owner(owner, request.clone()))
self.wrap(|| self.client.transactions_by_owner(owner, request.clone()))
.await
}

Expand All @@ -206,34 +242,34 @@ impl RetryableClient {
blocks_to_produce: u32,
start_timestamp: Option<u64>,
) -> RequestResult<BlockHeight> {
self.our_retry(|| {
self.wrap(|| {
self.client
.produce_blocks(blocks_to_produce, start_timestamp)
})
.await
}

pub async fn block(&self, id: &BlockId) -> RequestResult<Option<Block>> {
self.our_retry(|| self.client.block(id)).await
self.wrap(|| self.client.block(id)).await
}

pub async fn block_by_height(&self, height: BlockHeight) -> RequestResult<Option<Block>> {
self.our_retry(|| self.client.block_by_height(height)).await
self.wrap(|| self.client.block_by_height(height)).await
}

pub async fn blocks(
&self,
request: PaginationRequest<String>,
) -> RequestResult<PaginatedResult<Block, String>> {
self.our_retry(|| self.client.blocks(request.clone())).await
self.wrap(|| self.client.blocks(request.clone())).await
}

pub async fn messages(
&self,
owner: Option<&Address>,
request: PaginationRequest<String>,
) -> RequestResult<PaginatedResult<Message, String>> {
self.our_retry(|| self.client.messages(owner, request.clone()))
self.wrap(|| self.client.messages(owner, request.clone()))
.await
}

Expand All @@ -245,7 +281,7 @@ impl RetryableClient {
commit_block_id: Option<&BlockId>,
commit_block_height: Option<BlockHeight>,
) -> RequestResult<Option<MessageProof>> {
self.our_retry(|| {
self.wrap(|| {
self.client
.message_proof(transaction_id, nonce, commit_block_id, commit_block_height)
})
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -12,9 +12,7 @@ pub(crate) struct VersionCompatibility {
pub(crate) is_patch_supported: bool,
}

pub(crate) fn check_fuel_core_version_compatibility(
network_version: Version,
) -> VersionCompatibility {
pub(crate) fn compare_node_compatibility(network_version: Version) -> VersionCompatibility {
let supported_version = get_supported_fuel_core_version();
check_version_compatibility(network_version, supported_version)
}
Expand Down