What's the functional approach to replace the below match
?
match second_db.player_create(player_id).await {
Ok(o) => Ok(o),
Err(err) => {
first_db.player_delete(player_id).await?;
Err(err)
}
}
What's the functional approach to replace the below match
?
match second_db.player_create(player_id).await {
Ok(o) => Ok(o),
Err(err) => {
first_db.player_delete(player_id).await?;
Err(err)
}
}
As others have pointed out, the usual helper methods on Result
and Option
do not work with async
(see links below). However, these methods are mostly about transforming the Result
/ Option
which you are not doing. Hence, your code could be rephrased to the following (assuming you want to return the result of the match
expression):
let result = second_db.player_create(player_id).await;
if result.is_err() {
first_db.player_delete(player_id).await?;
}
result
This omits the "mapping" part of both branches and is, in my opinion, easier to understand.
Related discussions: