1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
use crate::database::{Database, KvStoreError};
use crate::executor::Executor;
use crate::model::fuel_block::FuelBlock;
use chrono::{DateTime, Utc};
use fuel_storage::Storage;
use fuel_tx::{Bytes32, Receipt};
use fuel_vm::prelude::{ProgramState, Transaction};
use serde::{Deserialize, Serialize};
use std::error::Error as StdError;
use thiserror::Error;
#[derive(Clone, Debug, Serialize, Deserialize)]
pub enum TransactionStatus {
Submitted {
time: DateTime<Utc>,
},
Success {
block_id: Bytes32,
time: DateTime<Utc>,
result: ProgramState,
},
Failed {
block_id: Bytes32,
time: DateTime<Utc>,
reason: String,
result: Option<ProgramState>,
},
}
#[derive(Error, Debug)]
pub enum Error {
#[error("unexpected database error {0:?}")]
Database(Box<dyn StdError>),
#[error("unexpected block execution error {0:?}")]
Execution(crate::executor::Error),
}
impl From<KvStoreError> for Error {
fn from(e: KvStoreError) -> Self {
Error::Database(Box::new(e))
}
}
impl From<crate::state::Error> for Error {
fn from(e: crate::state::Error) -> Self {
Error::Database(Box::new(e))
}
}
pub struct TxPool {
executor: Executor,
db: Database,
}
impl TxPool {
pub fn new(database: Database) -> Self {
let executor = Executor {
database: database.clone(),
};
TxPool {
executor,
db: database,
}
}
pub async fn submit_tx(&self, tx: Transaction) -> Result<Bytes32, Error> {
let tx_id = tx.id();
let mut db = self.db.clone();
Storage::<Bytes32, Transaction>::insert(&mut db, &tx_id, &tx)?;
db.update_tx_status(&tx_id, TransactionStatus::Submitted { time: Utc::now() })?;
let block_height = db.get_block_height()?.unwrap_or_default() + 1u32.into();
let block = FuelBlock {
fuel_height: block_height,
transactions: vec![tx_id],
time: Utc::now(),
producer: Default::default(),
};
self.executor
.execute(&block)
.await
.map_err(Error::Execution)?;
Ok(tx_id)
}
pub async fn run_tx(&self, tx: Transaction) -> Result<Vec<Receipt>, Error> {
let id = self.submit_tx(tx).await?;
let db = &self.db;
let receipts = Storage::<Bytes32, Vec<Receipt>>::get(db, &id)?.unwrap_or_default();
Ok(receipts.into_owned())
}
}