mod.rs 8.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275
  1. use crate::{
  2. config::Config, payment::PaymentTo, storage::Storage, AccountId, Amount, FilterableValue,
  3. MaxLengthString, PaymentFrom, RevId, Status, TxId,
  4. };
  5. use chrono::{DateTime, TimeZone, Utc};
  6. use serde::{Deserialize, Serialize};
  7. use std::ops::Deref;
  8. mod base_tx;
  9. mod error;
  10. mod revision;
  11. mod typ;
  12. pub use self::{base_tx::BaseTx, error::Error, revision::Revision, typ::Type};
  13. /// Tag definition
  14. pub type Tag = MaxLengthString<64>;
  15. pub(crate) fn to_ts_microseconds<W: std::io::Write>(
  16. dt: &DateTime<Utc>,
  17. writer: &mut W,
  18. ) -> std::io::Result<()> {
  19. borsh::BorshSerialize::serialize(&dt.timestamp_millis(), writer)?;
  20. Ok(())
  21. }
  22. pub(crate) fn from_ts_microseconds<R: borsh::io::Read>(
  23. reader: &mut R,
  24. ) -> ::core::result::Result<DateTime<Utc>, borsh::io::Error> {
  25. match Utc.timestamp_millis_opt(borsh::BorshDeserialize::deserialize_reader(reader)?) {
  26. chrono::LocalResult::Single(dt) => Ok(dt.with_timezone(&Utc)),
  27. _ => Err(borsh::io::Error::new(
  28. borsh::io::ErrorKind::InvalidData,
  29. "invalid timestamp".to_owned(),
  30. )),
  31. }
  32. }
  33. #[derive(Debug, Clone, Deserialize, Serialize)]
  34. /// A transaction with a revision
  35. ///
  36. /// This is the public representation of a transaction, with the revision. Since transactions are
  37. /// immutable, the revision is the only way to update them.
  38. ///
  39. /// A Revision is an ammenment to a transaction, but it can only ammend a few fields of the
  40. /// transaction, mainly their status and certain unrelated fields to the transactions, such as tags.
  41. ///
  42. /// Revisions are only updatable until the transaction is finalized, by which point they are also
  43. /// immutable.
  44. ///
  45. /// Having a revision also makes concurrency easier, since only the latest revision can may be
  46. /// upgraded, any other attempt to ammend a stale revision will be rejected.
  47. pub struct Transaction {
  48. /// Transaction ID
  49. #[serde(rename = "_id")]
  50. pub id: TxId,
  51. /// List of all revisions
  52. #[serde(rename = "_all_revs")]
  53. pub revisions: Vec<RevId>,
  54. /// Revision ID
  55. #[serde(rename = "_rev")]
  56. pub revision_id: RevId,
  57. /// The revision struct.
  58. #[serde(flatten)]
  59. pub revision: Revision,
  60. #[serde(flatten)]
  61. /// The transaction struct
  62. pub transaction: BaseTx,
  63. }
  64. impl Deref for Transaction {
  65. type Target = BaseTx;
  66. fn deref(&self) -> &Self::Target {
  67. &self.transaction
  68. }
  69. }
  70. impl TryFrom<(Vec<RevId>, BaseTx, Revision)> for Transaction {
  71. type Error = Error;
  72. fn try_from(value: (Vec<RevId>, BaseTx, Revision)) -> Result<Self, Self::Error> {
  73. Ok(Self {
  74. id: value.1.id()?,
  75. revisions: value.0,
  76. revision_id: value.2.rev_id()?,
  77. transaction: value.1,
  78. revision: value.2,
  79. })
  80. }
  81. }
  82. impl Transaction {
  83. /// Creates a new transaction
  84. pub async fn new(
  85. reference: String,
  86. status: Status,
  87. typ: Type,
  88. spends: Vec<PaymentFrom>,
  89. creates: Vec<(AccountId, Amount)>,
  90. ) -> Result<Self, Error> {
  91. let creates = creates
  92. .into_iter()
  93. .map(|(to, amount)| PaymentTo { to, amount })
  94. .collect();
  95. let (transaction, revision) = BaseTx::new(spends, creates, reference, typ, status)?;
  96. let revision_id = revision.rev_id()?;
  97. Ok(Self {
  98. id: transaction.id()?,
  99. revisions: vec![revision_id.clone()],
  100. revision_id,
  101. revision,
  102. transaction,
  103. })
  104. }
  105. /// Returns the filterable fields
  106. pub fn get_filterable_fields(&self) -> Vec<FilterableValue> {
  107. let mut filters = vec![
  108. FilterableValue::Anything,
  109. FilterableValue::Type(self.transaction.typ.clone()),
  110. FilterableValue::TxId(self.id.clone()),
  111. FilterableValue::Status(self.revision.status.clone()),
  112. FilterableValue::Revision(self.revision_id.clone()),
  113. FilterableValue::Type(self.typ),
  114. ];
  115. for account in self.accounts() {
  116. filters.push(FilterableValue::Account(account));
  117. }
  118. for tag in &self.revision.tags {
  119. filters.push(FilterableValue::Tag(tag.clone()));
  120. }
  121. filters
  122. }
  123. /// Creates a new external deposit transaction
  124. ///
  125. /// All transactions must be balanced, same amounts that are spent should be
  126. /// created. There are two exceptions, external deposits and withdrawals.
  127. /// The idea is to mimic external operations, where new assets enter the system.
  128. pub fn new_external_deposit(
  129. reference: String,
  130. status: Status,
  131. tags: Vec<Tag>,
  132. creates: Vec<(AccountId, Amount)>,
  133. ) -> Result<Self, Error> {
  134. let creates = creates
  135. .into_iter()
  136. .map(|(to, amount)| PaymentTo { to, amount })
  137. .collect();
  138. let (transaction, mut revision) =
  139. BaseTx::new(Vec::new(), creates, reference, Type::Deposit, status)?;
  140. revision.tags = tags;
  141. let revision_id = revision.rev_id()?;
  142. Ok(Self {
  143. id: transaction.id()?,
  144. revisions: vec![revision_id.clone()],
  145. revision_id,
  146. revision,
  147. transaction,
  148. })
  149. }
  150. /// Creates a new external withdrawal transaction
  151. ///
  152. /// Burns assets to reflect external withdrawals
  153. pub fn new_external_withdrawal(
  154. reference: String,
  155. status: Status,
  156. spends: Vec<PaymentFrom>,
  157. ) -> Result<Self, Error> {
  158. let (transaction, revision) =
  159. BaseTx::new(spends, Vec::new(), reference, Type::Withdrawal, status)?;
  160. let revision_id = revision.rev_id()?;
  161. Ok(Self {
  162. id: transaction.id()?,
  163. revisions: vec![revision_id.clone()],
  164. revision_id,
  165. transaction,
  166. revision,
  167. })
  168. }
  169. /// Updates the transaction tags
  170. pub fn set_tags(self, new_tags: Vec<Tag>, reason: String) -> Result<Self, Error> {
  171. let new_revision = Revision {
  172. transaction_id: self.revision.transaction_id,
  173. changelog: reason,
  174. previous: Some(self.revision_id),
  175. tags: new_tags,
  176. status: self.revision.status,
  177. created_at: Utc::now(),
  178. };
  179. let revision_id = new_revision.rev_id()?;
  180. let mut revisions = self.revisions;
  181. revisions.push(revision_id.clone());
  182. Ok(Transaction {
  183. id: self.id,
  184. revisions,
  185. revision_id,
  186. transaction: self.transaction,
  187. revision: new_revision,
  188. })
  189. }
  190. /// Prepares a new revision to change the transaction status
  191. ///
  192. /// If the status transaction is not allowed, it will return an error.
  193. ///
  194. /// The new transaction with revision is returned, which should be persisted. When it is
  195. /// persisted, the previous struct is consumed and the latest revision is preserved for
  196. /// historical purposes but it is no longer the latest revision
  197. #[inline]
  198. pub fn change_status<S>(
  199. self,
  200. config: &Config<S>,
  201. new_status: Status,
  202. reason: String,
  203. ) -> Result<Self, Error>
  204. where
  205. S: Storage + Sync + Send,
  206. {
  207. config
  208. .status
  209. .is_valid_transition(&self.revision.status, &new_status)?;
  210. let new_revision = Revision {
  211. transaction_id: self.revision.transaction_id,
  212. changelog: reason,
  213. previous: Some(self.revision_id),
  214. tags: self.revision.tags,
  215. status: new_status,
  216. created_at: Utc::now(),
  217. };
  218. let revision_id = new_revision.rev_id()?;
  219. let mut revisions = self.revisions;
  220. revisions.push(revision_id.clone());
  221. Ok(Transaction {
  222. id: self.id,
  223. revisions,
  224. revision_id,
  225. transaction: self.transaction,
  226. revision: new_revision,
  227. })
  228. }
  229. /// Validates the transaction and its revisions
  230. pub fn validate(&self) -> Result<(), Error> {
  231. let rev_id = self.revision.rev_id()?;
  232. let tx_id = self.transaction.id()?;
  233. if self.revision_id != rev_id {
  234. return Err(Error::InvalidRevId(self.revision_id.clone(), rev_id));
  235. }
  236. if tx_id != self.revision.transaction_id || tx_id != self.id {
  237. return Err(Error::InvalidTxId(
  238. tx_id,
  239. self.revision.transaction_id.clone(),
  240. ));
  241. }
  242. self.transaction.validate()?;
  243. Ok(())
  244. }
  245. }