ledger.rs 7.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247
  1. use cucumber::{given, then, when, World};
  2. use futures::future::BoxFuture;
  3. use std::{
  4. collections::HashMap,
  5. path::{Path, PathBuf},
  6. sync::Arc,
  7. };
  8. use tokio::{fs, io};
  9. use verax::{storage::SQLite, AccountId, Amount, Asset, RevId};
  10. #[derive(Debug, Clone)]
  11. pub enum Variable {
  12. RevId(RevId),
  13. RevIdResult(Result<RevId, String>),
  14. }
  15. impl From<RevId> for Variable {
  16. fn from(rev_id: RevId) -> Self {
  17. Variable::RevId(rev_id)
  18. }
  19. }
  20. impl From<Result<RevId, verax::Error>> for Variable {
  21. fn from(rev_id: Result<RevId, verax::Error>) -> Self {
  22. Variable::RevIdResult(rev_id.map_err(|e| e.to_string()))
  23. }
  24. }
  25. #[derive(Debug, World)]
  26. pub struct LedgerWorld {
  27. ledger: Arc<verax::Ledger<SQLite>>,
  28. variables: HashMap<String, Variable>,
  29. spend: Option<Vec<(AccountId, Amount)>>,
  30. receive: Option<Vec<(AccountId, Amount)>>,
  31. }
  32. impl Default for LedgerWorld {
  33. fn default() -> Self {
  34. futures::executor::block_on(async move {
  35. let settings = "sqlite://:memory:"
  36. .parse::<verax::storage::sqlite::SqliteConnectOptions>()
  37. .expect("valid settings")
  38. .journal_mode(verax::storage::sqlite::SqliteJournalMode::Wal)
  39. .create_if_missing(true);
  40. let pool = verax::storage::sqlite::SqlitePoolOptions::new()
  41. .connect_with(settings)
  42. .await
  43. .expect("pool");
  44. let db = SQLite::new(pool);
  45. db.setup().await.expect("setup");
  46. Self {
  47. ledger: verax::Ledger::new(db.into()),
  48. variables: HashMap::new(),
  49. spend: None,
  50. receive: None,
  51. }
  52. })
  53. }
  54. }
  55. impl LedgerWorld {
  56. pub fn get(&self, name: &str) -> &Variable {
  57. self.variables.get(name).as_ref().expect("variable")
  58. }
  59. }
  60. #[given("a new transaction")]
  61. fn new_transaction(world: &mut LedgerWorld) {
  62. world.spend = Some(vec![]);
  63. world.receive = Some(vec![]);
  64. }
  65. #[given(expr = "spend {word} {word} from {word}")]
  66. fn spend(world: &mut LedgerWorld, amount: String, asset: String, account: String) {
  67. let asset = asset.parse::<Asset>().expect("valid asset");
  68. let amount = asset.from_human(&amount).expect("valid amount");
  69. world
  70. .spend
  71. .as_mut()
  72. .expect("has spend")
  73. .push((account.parse().expect("valid account"), amount));
  74. }
  75. #[given(expr = "receive {word} {word} in {word}")]
  76. fn receive(world: &mut LedgerWorld, amount: String, asset: String, account: String) {
  77. let asset = asset.parse::<Asset>().expect("valid asset");
  78. let amount = asset.from_human(&amount).expect("valid amount");
  79. world
  80. .receive
  81. .as_mut()
  82. .expect("has receive")
  83. .push((account.parse().expect("valid account"), amount));
  84. }
  85. #[when(expr = "commit transaction {word} it fails")]
  86. async fn commit_transaction_and_expect_to_fail(world: &mut LedgerWorld, status: String) {
  87. let status = status.parse::<verax::Status>().expect("valid status");
  88. let spend = world.spend.take().expect("has spend");
  89. let receive = world.receive.take().expect("has receive");
  90. assert!(world
  91. .ledger
  92. .new_transaction("Transaction".to_owned(), status, spend, receive)
  93. .await
  94. .is_err());
  95. }
  96. #[when(expr = "commit transaction {word} as {word}")]
  97. async fn commit_transaction(world: &mut LedgerWorld, name: String, status: String) {
  98. let status = status.parse::<verax::Status>().expect("valid status");
  99. let spend = world.spend.take().expect("has spend");
  100. let receive = world.receive.take().expect("has receive");
  101. world.variables.insert(
  102. name,
  103. world
  104. .ledger
  105. .new_transaction("Transaction".to_owned(), status, spend, receive)
  106. .await
  107. .map(|x| x.revision_id)
  108. .into(),
  109. );
  110. }
  111. #[given(expr = "a {word} deposit {word} of {word} {word} for {word}")]
  112. async fn deposit_funds(
  113. world: &mut LedgerWorld,
  114. status: String,
  115. name: String,
  116. amount: String,
  117. asset: String,
  118. account: String,
  119. ) {
  120. let asset = asset.parse::<Asset>().expect("valid asset");
  121. world.variables.insert(
  122. name,
  123. world
  124. .ledger
  125. .deposit(
  126. &account.parse().expect("valid account"),
  127. asset.from_human(&amount).expect("valid amount"),
  128. status.parse().expect("valid status"),
  129. vec![],
  130. "Initial deposit".to_owned(),
  131. )
  132. .await
  133. .map(|x| x.revision_id)
  134. .into(),
  135. );
  136. }
  137. #[given(expr = "update {word} set status to {word}")]
  138. async fn update_status_from_last_tx(world: &mut LedgerWorld, tx: String, new_status: String) {
  139. let revision = match world.get(&tx) {
  140. Variable::RevId(rev_id) => rev_id.clone(),
  141. Variable::RevIdResult(Ok(rev_id)) => rev_id.clone(),
  142. _ => panic!("{} is not a RevId", tx),
  143. };
  144. let status = new_status.parse().expect("valid status");
  145. world.variables.insert(
  146. tx,
  147. world
  148. .ledger
  149. .change_status(revision, status, "update status".to_owned())
  150. .await
  151. .map(|x| x.revision_id)
  152. .into(),
  153. );
  154. }
  155. #[then(expr = "{word} has failed")]
  156. fn has_failed(world: &mut LedgerWorld, tx: String) {
  157. assert!(matches!(
  158. world.get(&tx).clone(),
  159. Variable::RevIdResult(Err(_))
  160. ));
  161. }
  162. #[then(expr = "{word} has no balance")]
  163. async fn check_balance_empty(world: &mut LedgerWorld, account: String) {
  164. let balance = world
  165. .ledger
  166. .get_balance(&account.parse().expect("valid account"))
  167. .await
  168. .expect("balance")
  169. .into_iter()
  170. .filter(|b| b.cents() != 0)
  171. .collect::<Vec<_>>();
  172. assert_eq!(0, balance.len())
  173. }
  174. #[then(expr = "{word} has balance of {word} {word}")]
  175. async fn check_balance(world: &mut LedgerWorld, account: String, amount: String, asset: String) {
  176. let asset = asset.parse::<Asset>().expect("valid asset");
  177. let amount = asset.from_human(&amount).expect("valid amount");
  178. let balances = world
  179. .ledger
  180. .get_balance(&account.parse().expect("valid account"))
  181. .await
  182. .expect("balance")
  183. .into_iter()
  184. .filter(|b| b.asset() == &asset)
  185. .collect::<Vec<_>>();
  186. assert_eq!(1, balances.len(), "{} is found", asset);
  187. assert_eq!(balances.get(0), Some(&amount));
  188. }
  189. fn find_features<'a, A: AsRef<Path> + Send + Sync>(
  190. dir_path: &'a A,
  191. ) -> BoxFuture<'a, io::Result<Vec<PathBuf>>> {
  192. Box::pin(async move {
  193. let mut entries = fs::read_dir(dir_path).await?;
  194. let mut paths = vec![];
  195. while let Ok(Some(entry)) = entries.next_entry().await {
  196. let path = entry.path();
  197. if path.is_dir() {
  198. paths.extend(find_features(&path).await?);
  199. } else if let Some(extension) = path.extension() {
  200. if extension == "feature" {
  201. paths.push(path);
  202. }
  203. }
  204. }
  205. Ok(paths)
  206. })
  207. }
  208. #[tokio::main]
  209. async fn main() {
  210. for file in find_features(&".").await.expect("files") {
  211. LedgerWorld::run(file).await;
  212. }
  213. }