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
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
use crate::{
ports,
ports::BlockProducerDatabase,
Config,
};
use anyhow::{
anyhow,
Context,
Result,
};
use fuel_core_interfaces::{
common::{
crypto::ephemeral_merkle_root,
fuel_tx::{
Receipt,
Transaction,
Word,
},
fuel_types::Bytes32,
tai64::Tai64,
},
executor::{
ExecutionBlock,
UncommittedResult,
},
model::{
BlockHeight,
DaBlockHeight,
FuelApplicationHeader,
FuelConsensusHeader,
PartialFuelBlock,
PartialFuelBlockHeader,
},
};
use std::sync::Arc;
use thiserror::Error;
use tokio::{
sync::{
Mutex,
Semaphore,
},
task::spawn_blocking,
};
use tracing::debug;
#[cfg(test)]
mod tests;
#[derive(Error, Debug)]
pub enum Error {
#[error(
"0 is an invalid block height for production. It is reserved for genesis data."
)]
GenesisBlock,
#[error("Previous block height {0} doesn't exist")]
MissingBlock(BlockHeight),
#[error("Best finalized da_height {best} is behind previous block da_height {previous_block}")]
InvalidDaFinalizationState {
best: DaBlockHeight,
previous_block: DaBlockHeight,
},
}
pub struct Producer<Database> {
pub config: Config,
pub db: Database,
pub txpool: Box<dyn ports::TxPool>,
pub executor: Arc<dyn ports::Executor<Database>>,
pub relayer: Box<dyn ports::Relayer>,
pub lock: Mutex<()>,
pub dry_run_semaphore: Semaphore,
}
impl<Database> Producer<Database>
where
Database: BlockProducerDatabase + 'static,
{
pub async fn produce_and_execute_block(
&self,
height: BlockHeight,
max_gas: Word,
) -> Result<UncommittedResult<ports::DBTransaction<Database>>> {
let _production_guard = self.lock.lock().await;
let best_transactions = self.txpool.get_includable_txs(height, max_gas).await?;
let header = self.new_header(height).await?;
let block = PartialFuelBlock::new(
header,
best_transactions
.into_iter()
.map(|tx| tx.as_ref().into())
.collect(),
);
let context_string = format!(
"Failed to produce block {:?} due to execution failure",
block
);
let result = self
.executor
.execute_without_commit(ExecutionBlock::Production(block))
.context(context_string)?;
debug!("Produced block with result: {:?}", result.result());
Ok(result)
}
pub async fn dry_run(
&self,
transaction: Transaction,
height: Option<BlockHeight>,
utxo_validation: Option<bool>,
) -> Result<Vec<Receipt>> {
let _permit = self.dry_run_semaphore.acquire().await;
let height = match height {
None => self.db.current_block_height()?,
Some(height) => height,
} + 1u64.into();
let is_script = transaction.is_script();
let header = self.new_header(height).await?;
let block =
PartialFuelBlock::new(header, vec![transaction].into_iter().collect());
let executor = self.executor.clone();
let res: Vec<_> = spawn_blocking(move || -> Result<Vec<Receipt>> {
Ok(executor
.dry_run(ExecutionBlock::Production(block), utxo_validation)?
.into_iter()
.flatten()
.collect())
})
.await??;
if is_script && res.is_empty() {
return Err(anyhow!("Expected at least one set of receipts"))
}
Ok(res)
}
}
impl<Database> Producer<Database>
where
Database: BlockProducerDatabase,
{
async fn new_header(&self, height: BlockHeight) -> Result<PartialFuelBlockHeader> {
let previous_block_info = self.previous_block_info(height)?;
let new_da_height = self
.select_new_da_height(previous_block_info.da_height)
.await?;
Ok(PartialFuelBlockHeader {
application: FuelApplicationHeader {
da_height: new_da_height,
generated: Default::default(),
},
consensus: FuelConsensusHeader {
prev_root: previous_block_info.prev_root,
height,
time: Tai64::now(),
generated: Default::default(),
},
metadata: None,
})
}
async fn select_new_da_height(
&self,
previous_da_height: DaBlockHeight,
) -> Result<DaBlockHeight> {
let best_height = self.relayer.get_best_finalized_da_height().await?;
if best_height < previous_da_height {
return Err(Error::InvalidDaFinalizationState {
best: best_height,
previous_block: previous_da_height,
}
.into())
}
Ok(best_height)
}
fn previous_block_info(&self, height: BlockHeight) -> Result<PreviousBlockInfo> {
if height == 0u32.into() {
Err(Error::GenesisBlock.into())
} else {
let prev_height = height - 1u32.into();
let previous_block = self
.db
.get_block(prev_height)?
.ok_or(Error::MissingBlock(prev_height))?;
let hash = previous_block.id();
let prev_root = ephemeral_merkle_root(
vec![*previous_block.header.prev_root(), hash.into()].iter(),
);
Ok(PreviousBlockInfo {
prev_root,
da_height: previous_block.header.da_height,
})
}
}
}
struct PreviousBlockInfo {
prev_root: Bytes32,
da_height: DaBlockHeight,
}