|
@@ -1,57 +1,41 @@
|
|
|
use crate::{
|
|
|
amount::AmountCents,
|
|
|
- changelog::{sort_changes, Changelog},
|
|
|
- payment::{self, SpentInfo},
|
|
|
- storage::{Batch, Storage},
|
|
|
+ config::Config,
|
|
|
+ payment::PaymentTo,
|
|
|
+ storage::{self, Batch, Storage},
|
|
|
transaction::*,
|
|
|
- AccountId, Amount, Asset, Payment, PaymentId, Status, TransactionId,
|
|
|
+ AccountId, Amount, Asset, PaymentFrom, Status, TransactionId,
|
|
|
};
|
|
|
use chrono::{serde::ts_milliseconds, DateTime, Utc};
|
|
|
-use serde::Serialize;
|
|
|
+use serde::{Deserialize, Serialize};
|
|
|
use sha2::{Digest, Sha256};
|
|
|
-use std::{collections::HashMap, ops::Deref};
|
|
|
+use std::collections::HashMap;
|
|
|
|
|
|
-/// Transactions
|
|
|
-///
|
|
|
-/// Transactions are the core components of the ledger. The transactions are a
|
|
|
-/// list of unspent payments that are about to be spend, to create a new set of
|
|
|
-/// Payments, that can be spend in the future. This model is heavily inspired in
|
|
|
-/// Bitcoin's UTXO model. The terms in this context are payments, spend and
|
|
|
-/// create instead of unspent transactions, input and output.
|
|
|
+/// Transaction Inner
|
|
|
///
|
|
|
-/// This simple architecture allows to track accounts pretty efficiently,
|
|
|
-/// because all that matters are unspent payments owned by a given account.
|
|
|
-/// Every spent payment is stored for historical reasons but it is not relevant
|
|
|
-/// for any calculations regarding available funds.
|
|
|
+/// This is the transaction details, as described bellow, it is a Transaction but without the ID nor
|
|
|
+/// the revision ID.
|
|
|
///
|
|
|
-/// The transaction has a few rules, for instance the sum of spend Payments
|
|
|
-/// should be the same as create Payments, for each easy. There is no 'fee'
|
|
|
-/// concept, so any mismatch in any direction will error the constructor.
|
|
|
+/// This seperated struct is used to calculate the ID of the transaction, and to be able to
|
|
|
+/// serialize the transaction without the ID.
|
|
|
///
|
|
|
-/// Transactions are immutable after they are finalized, and the payments can
|
|
|
-/// only be re-usable if the transaction failed or was cancelled. Once the
|
|
|
-/// transaction settles the spent payments are forever spent. Any rollback
|
|
|
-/// should be a new transaction, initiated by a higher layer.
|
|
|
-///
|
|
|
-/// The spent payments are unavailable until the transaction is finalized,
|
|
|
-/// either as settled, cancelled or failed. A higher layer should split any
|
|
|
-/// available payment to be spend into a new transaction, and then finalize the
|
|
|
-/// transaction, and reserve only the exact amount to be spent, otherwise
|
|
|
-/// unrelated funds will be held unspendable until the transaction is finalized.
|
|
|
-#[derive(Debug, Clone, Serialize)]
|
|
|
-pub struct Transaction {
|
|
|
- id: TransactionId,
|
|
|
- #[serde(skip_serializing_if = "Vec::is_empty")]
|
|
|
- spends: Vec<Payment>,
|
|
|
+/// Since the transaction ID is calculated from the transaction itself, to provide cryptographic
|
|
|
+/// security that its content was not altered.
|
|
|
+#[derive(Debug, Clone, Deserialize, Serialize)]
|
|
|
+pub struct TransactionInner {
|
|
|
+ /// A pointer to the first revision of the transaction.
|
|
|
+ first_revision: Option<TransactionId>,
|
|
|
+ /// Any previous transaction that this transaction is replacing.
|
|
|
+ previous: Option<TransactionId>,
|
|
|
+ /// A human-readable description of the transaction changes.
|
|
|
+ changelog: String,
|
|
|
+ spends: Vec<PaymentFrom>,
|
|
|
+ creates: Vec<PaymentTo>,
|
|
|
#[allow(dead_code)]
|
|
|
reference: String,
|
|
|
#[serde(rename = "type")]
|
|
|
typ: Type,
|
|
|
- #[serde(skip_serializing_if = "Vec::is_empty")]
|
|
|
- creates: Vec<Payment>,
|
|
|
- changelog: Vec<Changelog<ChangelogEntry>>,
|
|
|
status: Status,
|
|
|
- #[serde(skip_serializing_if = "Vec::is_empty")]
|
|
|
tags: Vec<String>,
|
|
|
#[serde(with = "ts_milliseconds")]
|
|
|
created_at: DateTime<Utc>,
|
|
@@ -59,6 +43,144 @@ pub struct Transaction {
|
|
|
updated_at: DateTime<Utc>,
|
|
|
}
|
|
|
|
|
|
+impl TransactionInner {
|
|
|
+ pub fn calculate_id(&self) -> Result<TransactionId, Error> {
|
|
|
+ let mut hasher = Sha256::new();
|
|
|
+ let bytes = bincode::serialize(self)?;
|
|
|
+ hasher.update(bytes);
|
|
|
+ Ok(TransactionId::new(hasher.finalize().into()))
|
|
|
+ }
|
|
|
+
|
|
|
+ /// The transaction fingerprint is a hash of the properties that are not allowed to be updated
|
|
|
+ /// in a transaction.
|
|
|
+ pub fn transaction_fingerprint(&self) -> Result<TransactionId, Error> {
|
|
|
+ let mut hasher = Sha256::new();
|
|
|
+ hasher.update(&bincode::serialize(&self.spends)?);
|
|
|
+ hasher.update(&bincode::serialize(&self.creates)?);
|
|
|
+ hasher.update(&self.typ.to_string());
|
|
|
+ hasher.update(&self.reference);
|
|
|
+ hasher.update(&self.created_at.timestamp_millis().to_string());
|
|
|
+ Ok(TransactionId::new(hasher.finalize().into()))
|
|
|
+ }
|
|
|
+
|
|
|
+ /// Validates the transaction input and output (debit and credit)
|
|
|
+ ///
|
|
|
+ /// The total sum of debits and credits should always be zero in transactions, unless they are
|
|
|
+ /// deposits or withdrawals.
|
|
|
+ ///
|
|
|
+ /// Negative amounts can be used in transactions, but the total sum of debits and credits should
|
|
|
+ /// always be zero, and the debit amount should be positive numbers
|
|
|
+ pub fn validate(&self) -> Result<(), Error> {
|
|
|
+ let mut debit = HashMap::<Asset, AmountCents>::new();
|
|
|
+ let mut credit = HashMap::<Asset, AmountCents>::new();
|
|
|
+
|
|
|
+ for input in self.spends.iter() {
|
|
|
+ if let Some(value) = debit.get_mut(input.amount.asset()) {
|
|
|
+ *value = input
|
|
|
+ .amount
|
|
|
+ .cents()
|
|
|
+ .checked_add(*value)
|
|
|
+ .ok_or(Error::Overflow)?;
|
|
|
+ } else {
|
|
|
+ debit.insert(input.amount.asset().clone(), input.amount.cents());
|
|
|
+ }
|
|
|
+ }
|
|
|
+
|
|
|
+ for (asset, amount) in debit.iter() {
|
|
|
+ if *amount <= 0 {
|
|
|
+ return Err(Error::InvalidAmount(
|
|
|
+ asset.new_amount(*amount),
|
|
|
+ asset.new_amount(*amount),
|
|
|
+ ));
|
|
|
+ }
|
|
|
+ }
|
|
|
+
|
|
|
+ if !self.typ.is_transaction() {
|
|
|
+ // We don't care input/output balance in external operations
|
|
|
+ // (withdrawals/deposits), because these operations are inbalanced
|
|
|
+ return Ok(());
|
|
|
+ }
|
|
|
+
|
|
|
+ for output in self.creates.iter() {
|
|
|
+ if let Some(value) = credit.get_mut(output.amount.asset()) {
|
|
|
+ *value = output
|
|
|
+ .amount
|
|
|
+ .cents()
|
|
|
+ .checked_add(*value)
|
|
|
+ .ok_or(Error::Overflow)?;
|
|
|
+ } else {
|
|
|
+ credit.insert(output.amount.asset().clone(), output.amount.cents());
|
|
|
+ }
|
|
|
+ }
|
|
|
+
|
|
|
+ for (asset, credit_amount) in credit.into_iter() {
|
|
|
+ if let Some(debit_amount) = debit.remove(&asset) {
|
|
|
+ if debit_amount != credit_amount {
|
|
|
+ return Err(Error::InvalidAmount(
|
|
|
+ asset.new_amount(debit_amount),
|
|
|
+ asset.new_amount(credit_amount),
|
|
|
+ ));
|
|
|
+ }
|
|
|
+ } else {
|
|
|
+ return Err(Error::MissingSpendingAsset(asset));
|
|
|
+ }
|
|
|
+ }
|
|
|
+
|
|
|
+ if let Some((asset, _)) = debit.into_iter().next() {
|
|
|
+ return Err(Error::MissingPaymentAsset(asset));
|
|
|
+ }
|
|
|
+
|
|
|
+ Ok(())
|
|
|
+ }
|
|
|
+}
|
|
|
+
|
|
|
+/// Transactions
|
|
|
+///
|
|
|
+/// A transaction is a set of payments being spent, to create a new set of payments. Payments can be
|
|
|
+/// spent only once. This simple model is inspired by Bitcoin's Unspent Transaction output model. In
|
|
|
+/// every transaction, the sum of the spends must equal the sum of the creates. Any difference will
|
|
|
+/// result in an error.
|
|
|
+///
|
|
|
+/// Every payment has a target account and the amount and asset.
|
|
|
+///
|
|
|
+/// Transactions are immutable, but since this is an append-only database, a newer version of the
|
|
|
+/// transaction can replace a previous version, as long as the transaction is not finalized.
|
|
|
+/// Previous transaction versions are kept forever and never pruned. The spend and create fields are
|
|
|
+/// not updatable, and the state of the transaction has a transition rule that will be enforced in
|
|
|
+/// each update. Furthermore, all new revisions must have a description of their update, inspired by
|
|
|
+/// a git commit message.
|
|
|
+///
|
|
|
+/// A Finalized transaction will either be settled (i.e. spendable) or reverted, in which case it is
|
|
|
+/// void but it is kept for historical reasons.
|
|
|
+///
|
|
|
+/// Although there is no concept of balances or accounts at this layer, the balance associated with
|
|
|
+/// an account is a sum of all received payments that were not spent.
|
|
|
+///
|
|
|
+/// The transaction ID, and the revision ID, are the cryptographic hash of the transactions
|
|
|
+#[derive(Debug, Clone, Serialize)]
|
|
|
+pub struct Transaction {
|
|
|
+ /// The TransactionID is the RevisionID of the first revision of the transaction.
|
|
|
+ pub id: TransactionId,
|
|
|
+ /// Current Revision ID.
|
|
|
+ pub revision: TransactionId,
|
|
|
+ /// The transaction inner details
|
|
|
+ #[serde(flatten)]
|
|
|
+ inner: TransactionInner,
|
|
|
+}
|
|
|
+
|
|
|
+impl TryFrom<TransactionInner> for Transaction {
|
|
|
+ type Error = Error;
|
|
|
+
|
|
|
+ fn try_from(inner: TransactionInner) -> Result<Self, Self::Error> {
|
|
|
+ let id = inner.calculate_id()?;
|
|
|
+ Ok(Transaction {
|
|
|
+ id: inner.first_revision.clone().unwrap_or_else(|| id.clone()),
|
|
|
+ revision: id,
|
|
|
+ inner,
|
|
|
+ })
|
|
|
+ }
|
|
|
+}
|
|
|
+
|
|
|
impl Transaction {
|
|
|
/// Creates a new external deposit transaction
|
|
|
///
|
|
@@ -70,70 +192,47 @@ impl Transaction {
|
|
|
status: Status,
|
|
|
pay_to: Vec<(AccountId, Amount)>,
|
|
|
) -> Result<Transaction, Error> {
|
|
|
- let created_at = Utc::now();
|
|
|
- let id = Self::calculate_id(
|
|
|
- &reference,
|
|
|
- vec![],
|
|
|
- pay_to
|
|
|
- .iter()
|
|
|
- .map(|t| (&t.0, &t.1))
|
|
|
- .collect::<Vec<(&AccountId, &Amount)>>(),
|
|
|
- created_at,
|
|
|
- )?;
|
|
|
- let create = pay_to
|
|
|
- .into_iter()
|
|
|
- .enumerate()
|
|
|
- .map(|(position, (to, amount))| {
|
|
|
- let id = crate::PaymentId {
|
|
|
- transaction: id.clone(),
|
|
|
- position,
|
|
|
- };
|
|
|
- let id_bytes = id.bytes().to_vec();
|
|
|
- Payment {
|
|
|
- id,
|
|
|
- to,
|
|
|
- amount,
|
|
|
- spent: None,
|
|
|
- changelog: vec![Changelog::new(
|
|
|
- None,
|
|
|
- id_bytes,
|
|
|
- payment::ChangelogEntry {
|
|
|
- status: status.clone(),
|
|
|
- reason: reference.clone(),
|
|
|
- spent: None,
|
|
|
- },
|
|
|
- )],
|
|
|
- status: status.clone(),
|
|
|
- }
|
|
|
- })
|
|
|
- .collect();
|
|
|
-
|
|
|
- let changelog: Vec<Changelog<changelog::ChangelogEntry>> = vec![Changelog::new(
|
|
|
- None,
|
|
|
- id.deref().to_vec(),
|
|
|
- ChangelogEntry {
|
|
|
- status: status.clone(),
|
|
|
- reason: reference.clone(),
|
|
|
- },
|
|
|
- )];
|
|
|
-
|
|
|
- Ok(Self {
|
|
|
- id,
|
|
|
+ TransactionInner {
|
|
|
+ first_revision: None,
|
|
|
+ changelog: "".to_owned(),
|
|
|
+ previous: None,
|
|
|
spends: vec![],
|
|
|
- creates: create,
|
|
|
+ creates: pay_to
|
|
|
+ .into_iter()
|
|
|
+ .map(|(to, amount)| PaymentTo { to, amount })
|
|
|
+ .collect(),
|
|
|
reference,
|
|
|
typ: Type::Deposit,
|
|
|
tags: Vec::new(),
|
|
|
status,
|
|
|
- changelog,
|
|
|
- created_at,
|
|
|
+ created_at: Utc::now(),
|
|
|
updated_at: Utc::now(),
|
|
|
- })
|
|
|
+ }
|
|
|
+ .try_into()
|
|
|
}
|
|
|
|
|
|
- /// Returns a mutable reference to the tags associated with this transaction
|
|
|
- pub fn get_tags_mut(&mut self) -> &mut [String] {
|
|
|
- &mut self.tags
|
|
|
+ /// Returns a unique list of accounts involved in this transaction.
|
|
|
+ ///
|
|
|
+ /// Accounts are sorted and unique, and they include the accounts that spent and that receives
|
|
|
+ pub fn accounts(&self) -> Vec<AccountId> {
|
|
|
+ let mut accounts = self
|
|
|
+ .inner
|
|
|
+ .creates
|
|
|
+ .iter()
|
|
|
+ .map(|x| x.to.clone())
|
|
|
+ .collect::<Vec<_>>();
|
|
|
+
|
|
|
+ accounts.extend(
|
|
|
+ self.inner
|
|
|
+ .spends
|
|
|
+ .iter()
|
|
|
+ .map(|x| x.from.clone())
|
|
|
+ .collect::<Vec<_>>(),
|
|
|
+ );
|
|
|
+
|
|
|
+ accounts.sort();
|
|
|
+ accounts.dedup();
|
|
|
+ accounts
|
|
|
}
|
|
|
|
|
|
/// Creates a new external withdrawal transaction
|
|
@@ -142,48 +241,27 @@ impl Transaction {
|
|
|
pub fn new_external_withdrawal(
|
|
|
reference: String,
|
|
|
status: Status,
|
|
|
- spend: Vec<Payment>,
|
|
|
+ spend: Vec<PaymentFrom>,
|
|
|
) -> Result<Transaction, Error> {
|
|
|
- let created_at = Utc::now();
|
|
|
- let id = Self::calculate_id(
|
|
|
- &reference,
|
|
|
- spend.iter().map(|t| &t.id).collect::<Vec<&PaymentId>>(),
|
|
|
- vec![],
|
|
|
- created_at,
|
|
|
- )?;
|
|
|
- let spend = spend
|
|
|
- .into_iter()
|
|
|
- .map(|mut payment| {
|
|
|
- payment.spent = Some(SpentInfo {
|
|
|
- by: id.clone(),
|
|
|
- status: status.clone(),
|
|
|
- });
|
|
|
- payment.new_changelog(&reference);
|
|
|
- payment
|
|
|
- })
|
|
|
- .collect();
|
|
|
-
|
|
|
- let changelog: Vec<Changelog<changelog::ChangelogEntry>> = vec![Changelog::new(
|
|
|
- None,
|
|
|
- id.deref().to_vec(),
|
|
|
- ChangelogEntry {
|
|
|
- status: status.clone(),
|
|
|
- reason: reference.clone(),
|
|
|
- },
|
|
|
- )];
|
|
|
-
|
|
|
- Ok(Self {
|
|
|
- id,
|
|
|
+ TransactionInner {
|
|
|
+ first_revision: None,
|
|
|
+ changelog: "".to_owned(),
|
|
|
+ previous: None,
|
|
|
spends: spend,
|
|
|
creates: vec![],
|
|
|
+ reference,
|
|
|
typ: Type::Withdrawal,
|
|
|
tags: Vec::new(),
|
|
|
- reference,
|
|
|
status,
|
|
|
- changelog,
|
|
|
- created_at,
|
|
|
+ created_at: Utc::now(),
|
|
|
updated_at: Utc::now(),
|
|
|
- })
|
|
|
+ }
|
|
|
+ .try_into()
|
|
|
+ }
|
|
|
+
|
|
|
+ /// Gets the inner transaction
|
|
|
+ pub fn inner(&self) -> &TransactionInner {
|
|
|
+ &self.inner
|
|
|
}
|
|
|
|
|
|
/// Creates a new transaction
|
|
@@ -191,254 +269,91 @@ impl Transaction {
|
|
|
reference: String,
|
|
|
status: Status,
|
|
|
typ: Type,
|
|
|
- spend: Vec<Payment>,
|
|
|
+ spends: Vec<PaymentFrom>,
|
|
|
pay_to: Vec<(AccountId, Amount)>,
|
|
|
) -> Result<Transaction, Error> {
|
|
|
- let created_at = Utc::now();
|
|
|
- let id = Self::calculate_id(
|
|
|
- &reference,
|
|
|
- spend.iter().map(|t| &t.id).collect::<Vec<&PaymentId>>(),
|
|
|
- pay_to
|
|
|
- .iter()
|
|
|
- .map(|t| (&t.0, &t.1))
|
|
|
- .collect::<Vec<(&AccountId, &Amount)>>(),
|
|
|
- created_at,
|
|
|
- )?;
|
|
|
-
|
|
|
- for (i, input) in spend.iter().enumerate() {
|
|
|
- if !input.is_spendable_or_was_by(&id) {
|
|
|
- return Err(Error::InvalidPaymentStatus(i, input.status.clone()));
|
|
|
- }
|
|
|
- }
|
|
|
- let spend = spend
|
|
|
- .into_iter()
|
|
|
- .map(|mut payment| {
|
|
|
- payment.spent = Some(SpentInfo {
|
|
|
- by: id.clone(),
|
|
|
- status: status.clone(),
|
|
|
- });
|
|
|
- payment.new_changelog(&reference);
|
|
|
- payment
|
|
|
- })
|
|
|
- .collect();
|
|
|
-
|
|
|
+ // for (i, input) in spends.iter().enumerate() {
|
|
|
+ // if !input.is_spendable_or_was_by(&id) {
|
|
|
+ // return Err(Error::InvalidPaymentStatus(i, input.status.clone()));
|
|
|
+ // }
|
|
|
+ // }
|
|
|
let create = pay_to
|
|
|
.into_iter()
|
|
|
- .enumerate()
|
|
|
- .map(|(position, (to, amount))| {
|
|
|
- let mut payment = Payment {
|
|
|
- id: crate::PaymentId {
|
|
|
- transaction: id.clone(),
|
|
|
- position,
|
|
|
- },
|
|
|
- to,
|
|
|
- amount,
|
|
|
- spent: None,
|
|
|
- changelog: vec![],
|
|
|
- status: status.clone(),
|
|
|
- };
|
|
|
- payment.new_changelog(&reference);
|
|
|
- payment
|
|
|
- })
|
|
|
+ .map(|(to, amount)| PaymentTo { to, amount })
|
|
|
.collect();
|
|
|
|
|
|
- let changelog: Vec<Changelog<changelog::ChangelogEntry>> = vec![Changelog::new(
|
|
|
- None,
|
|
|
- id.deref().to_vec(),
|
|
|
- ChangelogEntry {
|
|
|
- status: status.clone(),
|
|
|
- reason: reference.clone(),
|
|
|
- },
|
|
|
- )];
|
|
|
-
|
|
|
- Ok(Self {
|
|
|
- id,
|
|
|
+ TransactionInner {
|
|
|
+ first_revision: None,
|
|
|
+ changelog: "".to_owned(),
|
|
|
+ previous: None,
|
|
|
+ spends,
|
|
|
+ creates: create,
|
|
|
reference,
|
|
|
- spends: spend,
|
|
|
typ,
|
|
|
- creates: create,
|
|
|
tags: Vec::new(),
|
|
|
status,
|
|
|
- changelog,
|
|
|
- created_at,
|
|
|
+ created_at: Utc::now(),
|
|
|
updated_at: Utc::now(),
|
|
|
- })
|
|
|
- }
|
|
|
-
|
|
|
- fn calculate_id(
|
|
|
- reference: &str,
|
|
|
- spend: Vec<&PaymentId>,
|
|
|
- create: Vec<(&AccountId, &Amount)>,
|
|
|
- created_at: DateTime<Utc>,
|
|
|
- ) -> Result<TransactionId, Error> {
|
|
|
- let mut hasher = Sha256::new();
|
|
|
- let mut spend = spend;
|
|
|
-
|
|
|
- spend.sort();
|
|
|
-
|
|
|
- for id in spend.into_iter() {
|
|
|
- hasher.update(&bincode::serialize(id)?);
|
|
|
}
|
|
|
- for (account, amount) in create.into_iter() {
|
|
|
- hasher.update(&bincode::serialize(account)?);
|
|
|
- hasher.update(&bincode::serialize(amount)?);
|
|
|
- }
|
|
|
- hasher.update(created_at.timestamp_millis().to_le_bytes());
|
|
|
- hasher.update(reference);
|
|
|
- Ok(TransactionId::new(hasher.finalize().into()))
|
|
|
+ .try_into()
|
|
|
}
|
|
|
|
|
|
- /// Settles the current transaction
|
|
|
+ /// Prepares a transaction ammend to update its status.
|
|
|
///
|
|
|
- /// This is equivalent to changes the status to Settle and to persist
|
|
|
- pub async fn settle<'a, S>(&mut self, storage: &'a S, reason: String) -> Result<(), Error>
|
|
|
+ /// If the status transaction is not allowed, it will return an error.
|
|
|
+ ///
|
|
|
+ /// The returned transaction is the newest version which is already persisted. The previous
|
|
|
+ /// version is not longer in memory
|
|
|
+ #[inline]
|
|
|
+ pub async fn change_status<S>(
|
|
|
+ self,
|
|
|
+ config: &Config<S>,
|
|
|
+ new_status: Status,
|
|
|
+ reason: String,
|
|
|
+ ) -> Result<Self, Error>
|
|
|
where
|
|
|
S: Storage + Sync + Send,
|
|
|
{
|
|
|
- self.change_status(Status::Settled, reason)?;
|
|
|
- self.persist::<S>(storage).await
|
|
|
- }
|
|
|
-
|
|
|
- /// Changes the status of a given transaction
|
|
|
- #[inline]
|
|
|
- pub fn change_status(&mut self, new_status: Status, reason: String) -> Result<(), Error> {
|
|
|
- if self.status.can_transition_to(&new_status) {
|
|
|
- for payment in self.spends.iter_mut() {
|
|
|
- payment.spent = if new_status.is_rollback() {
|
|
|
- None
|
|
|
- } else {
|
|
|
- Some(SpentInfo {
|
|
|
- by: self.id.clone(),
|
|
|
- status: new_status.clone(),
|
|
|
- })
|
|
|
- };
|
|
|
- payment.new_changelog(&reason);
|
|
|
- }
|
|
|
-
|
|
|
- for payment in self.creates.iter_mut() {
|
|
|
- payment.status = new_status.clone();
|
|
|
- payment.new_changelog(&reason);
|
|
|
- }
|
|
|
-
|
|
|
- let previous = self.changelog.last().map(|x| x.id()).transpose()?;
|
|
|
- self.changelog.push(Changelog::new(
|
|
|
- previous,
|
|
|
- self.id.deref().to_vec(),
|
|
|
- ChangelogEntry {
|
|
|
- status: new_status.clone(),
|
|
|
- reason,
|
|
|
- },
|
|
|
- ));
|
|
|
- self.status = new_status;
|
|
|
- Ok(())
|
|
|
- } else {
|
|
|
- Err(Error::StatusTransitionNotAllowed(
|
|
|
- self.status.clone(),
|
|
|
- new_status,
|
|
|
- ))
|
|
|
- }
|
|
|
- }
|
|
|
-
|
|
|
- #[inline]
|
|
|
- /// Checks if the transaction attempts to spend any negative amount (which is no allowed)
|
|
|
- fn check_no_negative_amounts_are_spent(
|
|
|
- &self,
|
|
|
- debit: &HashMap<Asset, i128>,
|
|
|
- ) -> Result<(), Error> {
|
|
|
- for (asset, amount) in debit.iter() {
|
|
|
- if *amount <= 0 {
|
|
|
- return Err(Error::InvalidAmount(
|
|
|
- asset.new_amount(*amount),
|
|
|
- asset.new_amount(*amount),
|
|
|
- ));
|
|
|
- }
|
|
|
+ config
|
|
|
+ .status
|
|
|
+ .is_valid_transition(&self.inner.status, &new_status)?;
|
|
|
+ let mut inner = self.inner;
|
|
|
+ inner.changelog = reason;
|
|
|
+ if inner.first_revision.is_none() {
|
|
|
+ inner.first_revision = Some(self.id);
|
|
|
}
|
|
|
-
|
|
|
- Ok(())
|
|
|
+ inner.updated_at = Utc::now();
|
|
|
+ inner.previous = Some(self.revision);
|
|
|
+ inner.status = new_status;
|
|
|
+ let mut x: Transaction = inner.try_into()?;
|
|
|
+ x.persist(config).await?;
|
|
|
+ Ok(x)
|
|
|
}
|
|
|
|
|
|
/// Validates the transaction before storing
|
|
|
pub(crate) fn validate(&self) -> Result<(), Error> {
|
|
|
- let calculated_id = Self::calculate_id(
|
|
|
- &self.reference,
|
|
|
- self.spends.iter().map(|p| &p.id).collect::<Vec<_>>(),
|
|
|
- self.creates
|
|
|
- .iter()
|
|
|
- .map(|p| (&p.to, &p.amount))
|
|
|
- .collect::<Vec<_>>(),
|
|
|
- self.created_at,
|
|
|
- )?;
|
|
|
-
|
|
|
- if calculated_id != self.id {
|
|
|
- return Err(Error::InvalidTransactionId(self.id.clone(), calculated_id));
|
|
|
- }
|
|
|
-
|
|
|
- let mut debit = HashMap::<Asset, AmountCents>::new();
|
|
|
- let mut credit = HashMap::<Asset, AmountCents>::new();
|
|
|
-
|
|
|
- for (i, input) in self.spends.iter().enumerate() {
|
|
|
- if !input.is_spendable_or_was_by(&self.id) {
|
|
|
- return Err(Error::SpentPayment(i));
|
|
|
- }
|
|
|
- if let Some(value) = debit.get_mut(input.amount.asset()) {
|
|
|
- *value = input
|
|
|
- .amount
|
|
|
- .cents()
|
|
|
- .checked_add(*value)
|
|
|
- .ok_or(Error::Overflow)?;
|
|
|
- } else {
|
|
|
- debit.insert(input.amount.asset().clone(), input.amount.cents());
|
|
|
- }
|
|
|
- }
|
|
|
-
|
|
|
- self.check_no_negative_amounts_are_spent(&debit)?;
|
|
|
-
|
|
|
- if !self.typ.is_transaction() {
|
|
|
- // We don't care input/output balance in external operations
|
|
|
- // (withdrawals/deposits), because these operations are inbalanced
|
|
|
- return Ok(());
|
|
|
- }
|
|
|
-
|
|
|
- for output in self.creates.iter() {
|
|
|
- if let Some(value) = credit.get_mut(output.amount.asset()) {
|
|
|
- *value = output
|
|
|
- .amount
|
|
|
- .cents()
|
|
|
- .checked_add(*value)
|
|
|
- .ok_or(Error::Overflow)?;
|
|
|
- } else {
|
|
|
- credit.insert(output.amount.asset().clone(), output.amount.cents());
|
|
|
- }
|
|
|
- }
|
|
|
-
|
|
|
- for (asset, credit_amount) in credit.into_iter() {
|
|
|
- if let Some(debit_amount) = debit.remove(&asset) {
|
|
|
- if debit_amount != credit_amount {
|
|
|
- return Err(Error::InvalidAmount(
|
|
|
- asset.new_amount(debit_amount),
|
|
|
- asset.new_amount(credit_amount),
|
|
|
- ));
|
|
|
- }
|
|
|
- } else {
|
|
|
- return Err(Error::MissingSpendingAsset(asset));
|
|
|
- }
|
|
|
- }
|
|
|
-
|
|
|
- if let Some((asset, _)) = debit.into_iter().next() {
|
|
|
- return Err(Error::MissingPaymentAsset(asset));
|
|
|
+ let calculated_revision_id = self.inner.calculate_id()?;
|
|
|
+
|
|
|
+ if self.revision != calculated_revision_id
|
|
|
+ || (self.inner.previous.is_none() && self.id != calculated_revision_id)
|
|
|
+ {
|
|
|
+ return Err(Error::InvalidTransactionId(
|
|
|
+ self.id.clone(),
|
|
|
+ calculated_revision_id,
|
|
|
+ ));
|
|
|
}
|
|
|
|
|
|
- Ok(())
|
|
|
+ self.inner.validate()
|
|
|
}
|
|
|
|
|
|
/// Returns the list of payments that were used to create this transaction
|
|
|
- pub fn spends(&self) -> &[Payment] {
|
|
|
- &self.spends
|
|
|
+ pub fn spends(&self) -> &[PaymentFrom] {
|
|
|
+ &self.inner.spends
|
|
|
}
|
|
|
|
|
|
/// Returns the list of payments that were created by this transaction
|
|
|
- pub fn creates(&self) -> &[Payment] {
|
|
|
- &self.creates
|
|
|
+ pub fn creates(&self) -> &[PaymentTo] {
|
|
|
+ &self.inner.creates
|
|
|
}
|
|
|
|
|
|
/// Returns the transaction ID
|
|
@@ -448,92 +363,121 @@ impl Transaction {
|
|
|
|
|
|
/// Returns the transaction status
|
|
|
pub fn status(&self) -> &Status {
|
|
|
- &self.status
|
|
|
+ &self.inner.status
|
|
|
}
|
|
|
|
|
|
/// Returns the transaction type
|
|
|
- pub fn typ(&self) -> &Type {
|
|
|
- &self.typ
|
|
|
+ pub fn typ(&self) -> Type {
|
|
|
+ self.inner.typ
|
|
|
}
|
|
|
|
|
|
/// Returns the reference of this transaction
|
|
|
pub fn reference(&self) -> &str {
|
|
|
- &self.reference
|
|
|
- }
|
|
|
-
|
|
|
- /// Returns the last version of this transaction (the ID of the last entry from the changelog)
|
|
|
- pub fn last_version(&self) -> Option<Vec<u8>> {
|
|
|
- if let Some(Ok(x)) = self.changelog.last().map(|x| x.id()) {
|
|
|
- Some(x)
|
|
|
- } else {
|
|
|
- None
|
|
|
- }
|
|
|
+ &self.inner.reference
|
|
|
}
|
|
|
|
|
|
/// Returns the time when this transaction was created
|
|
|
pub fn created_at(&self) -> DateTime<Utc> {
|
|
|
- self.created_at
|
|
|
+ self.inner.created_at
|
|
|
}
|
|
|
|
|
|
/// Returns the time when this transaction was last updated
|
|
|
pub fn updated_at(&self) -> DateTime<Utc> {
|
|
|
- self.updated_at
|
|
|
+ self.inner.updated_at
|
|
|
}
|
|
|
|
|
|
/// Persists the changes done to this transaction object.
|
|
|
- /// This method is not idempotent, and it will fail if the transaction if the requested update is not allowed.
|
|
|
- pub async fn persist<'a, S>(&mut self, storage: &'a S) -> Result<(), Error>
|
|
|
+ /// This method is not idempotent, and it will fail if the transaction if the requested update
|
|
|
+ /// is not allowed.
|
|
|
+ pub async fn persist<'a, S>(&mut self, config: &'a Config<S>) -> Result<(), Error>
|
|
|
where
|
|
|
S: Storage + Sync + Send,
|
|
|
{
|
|
|
- let mut batch = storage.begin().await?;
|
|
|
- if let Some(status) = batch.get_payment_status(&self.id).await? {
|
|
|
- if status.is_finalized() {
|
|
|
+ self.validate()?;
|
|
|
+
|
|
|
+ let mut batch = config.storage.begin().await?;
|
|
|
+
|
|
|
+ if let Some(previous_id) = &self.inner.previous {
|
|
|
+ // Make sure this update is updating the last revision and the status is not final
|
|
|
+ let current_transaction = batch.get_transaction(&self.id).await?;
|
|
|
+
|
|
|
+ if current_transaction.revision != *previous_id
|
|
|
+ || config.status.is_final(¤t_transaction.inner.status)
|
|
|
+ || self.inner.transaction_fingerprint()?
|
|
|
+ != current_transaction.inner.transaction_fingerprint()?
|
|
|
+ {
|
|
|
return Err(Error::TransactionUpdatesNotAllowed);
|
|
|
}
|
|
|
- }
|
|
|
- self.validate()?;
|
|
|
- self.updated_at = Utc::now();
|
|
|
- batch.store_transaction(self).await?;
|
|
|
- for payment in self.creates.iter() {
|
|
|
- batch.store_new_payment(payment).await?;
|
|
|
+
|
|
|
+ // Updates all the spends to reflect the new status.
|
|
|
+ let (updated_created, updated_spent) = if config.status.is_reverted(&self.inner.status)
|
|
|
+ {
|
|
|
+ // Release all the previously spent payments since the whole transaction is being
|
|
|
+ // reverted due a failure or cancellation.
|
|
|
+ batch
|
|
|
+ .update_transaction_payments(
|
|
|
+ &self.id,
|
|
|
+ storage::Status::Failed,
|
|
|
+ storage::Status::Spendable,
|
|
|
+ )
|
|
|
+ .await?
|
|
|
+ } else if config.status.is_spendable(&self.inner.status) {
|
|
|
+ // Spend all the payments that were used to create this transaction
|
|
|
+ batch
|
|
|
+ .update_transaction_payments(
|
|
|
+ &self.id,
|
|
|
+ storage::Status::Spendable,
|
|
|
+ storage::Status::Spent,
|
|
|
+ )
|
|
|
+ .await?
|
|
|
+ } else {
|
|
|
+ // Lock both the spent transaction and the created transaction, since this
|
|
|
+ // transaction is still not finalized
|
|
|
+ batch
|
|
|
+ .update_transaction_payments(
|
|
|
+ &self.id,
|
|
|
+ storage::Status::Locked,
|
|
|
+ storage::Status::Locked,
|
|
|
+ )
|
|
|
+ .await?
|
|
|
+ };
|
|
|
+ if updated_created != self.inner.creates.len()
|
|
|
+ || updated_spent != self.inner.spends.len()
|
|
|
+ {
|
|
|
+ return Err(Error::NoUpdate);
|
|
|
+ }
|
|
|
+ } else {
|
|
|
+ let spends = self
|
|
|
+ .inner
|
|
|
+ .spends
|
|
|
+ .iter()
|
|
|
+ .map(|x| x.id.clone())
|
|
|
+ .collect::<Vec<_>>();
|
|
|
+ let (spent_payment_status, creates_payment_status) =
|
|
|
+ if config.status.is_spendable(&self.inner.status) {
|
|
|
+ (storage::Status::Spent, storage::Status::Spendable)
|
|
|
+ } else {
|
|
|
+ (storage::Status::Locked, storage::Status::Locked)
|
|
|
+ };
|
|
|
batch
|
|
|
- .relate_account_to_transaction(self, &payment.to)
|
|
|
+ .spend_payments(&self.id, spends, spent_payment_status)
|
|
|
.await?;
|
|
|
- batch.store_changelogs(&payment.changelog).await?;
|
|
|
- }
|
|
|
- for input in self.spends.iter() {
|
|
|
batch
|
|
|
- .update_payment(&input.id, &self.id, self.status.clone())
|
|
|
+ .create_payments(&self.id, &self.inner.creates, creates_payment_status)
|
|
|
.await?;
|
|
|
- batch.relate_account_to_transaction(self, &input.to).await?;
|
|
|
- batch.store_changelogs(&input.changelog).await?;
|
|
|
+
|
|
|
+ for account in self.accounts() {
|
|
|
+ batch
|
|
|
+ .relate_account_to_transaction(&self.id, &account, self.typ())
|
|
|
+ .await?;
|
|
|
+ }
|
|
|
}
|
|
|
|
|
|
- batch.tag_transaction(self, &self.tags).await?;
|
|
|
- batch.store_changelogs(&self.changelog).await?;
|
|
|
- batch.commit().await?;
|
|
|
- Ok(())
|
|
|
- }
|
|
|
-}
|
|
|
+ batch.store_transaction(self).await?;
|
|
|
|
|
|
-impl TryFrom<from_db::Transaction> for Transaction {
|
|
|
- type Error = Error;
|
|
|
+ //batch.tag_transaction(self, &self.inner.tags).await?;
|
|
|
|
|
|
- fn try_from(value: from_db::Transaction) -> Result<Self, Self::Error> {
|
|
|
- let tx = Transaction {
|
|
|
- id: value.id,
|
|
|
- typ: value.typ,
|
|
|
- spends: value.spend,
|
|
|
- creates: value.create,
|
|
|
- reference: value.reference,
|
|
|
- tags: value.tags,
|
|
|
- status: value.status,
|
|
|
- changelog: sort_changes(value.changelog, value.last_change)?,
|
|
|
- created_at: value.created_at,
|
|
|
- updated_at: value.updated_at,
|
|
|
- };
|
|
|
- tx.validate()?;
|
|
|
- Ok(tx)
|
|
|
+ batch.commit().await?;
|
|
|
+ Ok(())
|
|
|
}
|
|
|
}
|