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
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
use crate::chain_config::{ChainConfig, ContractConfig, StateConfig};
use crate::database::Database;
use crate::model::coin::{Coin, CoinStatus};
use crate::tx_pool::TxPool;
use fuel_storage::{MerkleStorage, Storage};
use fuel_tx::UtxoId;
use fuel_types::{Bytes32, Color, ContractId, Salt, Word};
use fuel_vm::prelude::Contract;
pub use graph_api::start_server;
#[cfg(feature = "rocksdb")]
use std::io::ErrorKind;
use std::{
net::{self, Ipv4Addr, SocketAddr},
panic,
path::PathBuf,
sync::Arc,
};
use strum_macros::{Display, EnumString};
use thiserror::Error;
use tokio::task::JoinHandle;
pub mod graph_api;
#[derive(Clone, Debug)]
pub struct Config {
pub addr: net::SocketAddr,
pub database_path: PathBuf,
pub database_type: DbType,
pub chain_conf: ChainConfig,
}
impl Config {
pub fn local_node() -> Self {
Self {
addr: SocketAddr::new(Ipv4Addr::new(127, 0, 0, 1).into(), 0),
database_path: Default::default(),
database_type: DbType::InMemory,
chain_conf: ChainConfig::local_testnet(),
}
}
}
#[derive(Clone, Debug, PartialEq, EnumString, Display)]
pub enum DbType {
InMemory,
RocksDb,
}
pub struct FuelService {
tasks: Vec<JoinHandle<Result<(), Error>>>,
pub bound_address: SocketAddr,
}
impl FuelService {
pub async fn new_node(config: Config) -> Result<Self, std::io::Error> {
let database = match config.database_type {
#[cfg(feature = "rocksdb")]
DbType::RocksDb => Database::open(&config.database_path)
.map_err(|e| std::io::Error::new(ErrorKind::Other, e))?,
DbType::InMemory => Database::default(),
#[cfg(not(feature = "rocksdb"))]
_ => Database::default(),
};
Self::init_service(database, config).await
}
#[cfg(any(test, feature = "test-helpers"))]
pub async fn from_database(database: Database, config: Config) -> Result<Self, std::io::Error> {
Self::init_service(database, config).await
}
async fn init_service(database: Database, config: Config) -> Result<Self, std::io::Error> {
Self::import_state(&config.chain_conf, &database)?;
let tx_pool = Arc::new(TxPool::new(database.clone()));
let mut tasks = vec![];
let (bound_address, api_server) =
graph_api::start_server(config, database, tx_pool).await?;
tasks.push(api_server);
Ok(FuelService {
tasks,
bound_address,
})
}
fn import_state(config: &ChainConfig, database: &Database) -> Result<(), std::io::Error> {
let mut import_tx = database.transaction();
let database = import_tx.as_mut();
if database.get_chain_name()?.is_none() {
database.init_chain_name(config.chain_name.clone())?;
if let Some(initial_state) = &config.initial_state {
Self::init_block_height(database, initial_state)?;
Self::init_coin_state(database, initial_state)?;
Self::init_contracts(database, initial_state)?;
}
}
import_tx.commit()?;
Ok(())
}
fn init_block_height(db: &Database, state: &StateConfig) -> Result<(), std::io::Error> {
if let Some(height) = state.height {
db.init_chain_height(height)?;
}
Ok(())
}
fn init_coin_state(db: &mut Database, state: &StateConfig) -> Result<(), std::io::Error> {
let mut generated_output_index = 0;
if let Some(coins) = &state.coins {
for coin in coins {
let utxo_id = UtxoId::new(
coin.tx_id.unwrap_or_default(),
coin.output_index.map(|i| i as u8).unwrap_or_else(|| {
generated_output_index += 1;
generated_output_index
}),
);
let coin = Coin {
owner: coin.owner,
amount: coin.amount,
color: coin.color,
maturity: coin.maturity.unwrap_or_default(),
status: CoinStatus::Unspent,
block_created: coin.block_created.unwrap_or_default(),
};
let _ = Storage::<UtxoId, Coin>::insert(db, &utxo_id, &coin)?;
}
}
Ok(())
}
fn init_contracts(db: &mut Database, state: &StateConfig) -> Result<(), std::io::Error> {
if let Some(contracts) = &state.contracts {
for contract_config in contracts {
let contract = Contract::from(contract_config.code.as_slice());
let salt = contract_config.salt;
let root = contract.root();
let contract_id = contract.id(&salt, &root);
let _ = Storage::<ContractId, Contract>::insert(db, &contract_id, &contract)?;
let _ = Storage::<ContractId, (Salt, Bytes32)>::insert(
db,
&contract_id,
&(salt, root),
)?;
Self::init_contract_state(db, &contract_id, contract_config)?;
Self::init_contract_balance(db, &contract_id, contract_config)?;
}
}
Ok(())
}
fn init_contract_state(
db: &mut Database,
contract_id: &ContractId,
contract: &ContractConfig,
) -> Result<(), std::io::Error> {
if let Some(contract_state) = &contract.state {
for (key, value) in contract_state {
MerkleStorage::<ContractId, Bytes32, Bytes32>::insert(db, contract_id, key, value)?;
}
}
Ok(())
}
fn init_contract_balance(
db: &mut Database,
contract_id: &ContractId,
contract: &ContractConfig,
) -> Result<(), std::io::Error> {
if let Some(balances) = &contract.balances {
for (key, value) in balances {
MerkleStorage::<ContractId, Color, Word>::insert(db, contract_id, key, value)?;
}
}
Ok(())
}
pub async fn run(self) {
for task in self.tasks {
match task.await {
Err(err) => {
if err.is_panic() {
panic::resume_unwind(err.into_panic());
}
}
Ok(Err(e)) => {
eprintln!("server error: {:?}", e);
}
Ok(Ok(_)) => {}
}
}
}
pub fn stop(&self) {
for task in &self.tasks {
task.abort();
}
}
}
#[derive(Debug, Error)]
pub enum Error {
#[error("An api server error occurred {0}")]
ApiServer(#[from] hyper::Error),
}
#[cfg(test)]
mod tests {
use super::*;
use crate::chain_config::{CoinConfig, ContractConfig, StateConfig};
use crate::model::fuel_block::BlockHeight;
use fuel_asm::Opcode;
use fuel_types::{Address, Color, Word};
use itertools::Itertools;
use rand::rngs::StdRng;
use rand::{Rng, RngCore, SeedableRng};
#[tokio::test]
async fn config_initializes_chain_name() {
let test_name = "test_net_123".to_string();
let service_config = Config {
chain_conf: ChainConfig {
chain_name: test_name.clone(),
..ChainConfig::local_testnet()
},
..Config::local_node()
};
let db = Database::default();
FuelService::from_database(db.clone(), service_config)
.await
.unwrap();
assert_eq!(
test_name,
db.get_chain_name()
.unwrap()
.expect("Expected a chain name to be set")
)
}
#[tokio::test]
async fn config_initializes_block_height() {
let test_height = BlockHeight::from(99u32);
let service_config = Config {
chain_conf: ChainConfig {
initial_state: Some(StateConfig {
height: Some(test_height),
..Default::default()
}),
..ChainConfig::local_testnet()
},
..Config::local_node()
};
let db = Database::default();
FuelService::from_database(db.clone(), service_config)
.await
.unwrap();
assert_eq!(
test_height,
db.get_block_height()
.unwrap()
.expect("Expected a block height to be set")
)
}
#[tokio::test]
async fn config_state_initializes_multiple_coins_with_different_owners_and_colors() {
let mut rng = StdRng::seed_from_u64(10);
let alice: Address = rng.gen();
let color_alice: Color = rng.gen();
let alice_value = rng.gen();
let alice_maturity = Some(rng.next_u32().into());
let alice_block_created = Some(rng.next_u32().into());
let alice_tx_id = Some(rng.gen());
let alice_output_index = Some(rng.gen());
let alice_utxo_id = UtxoId::new(alice_tx_id.unwrap(), alice_output_index.unwrap());
let bob: Address = rng.gen();
let color_bob: Color = rng.gen();
let bob_value = rng.gen();
let service_config = Config {
chain_conf: ChainConfig {
initial_state: Some(StateConfig {
coins: Some(vec![
CoinConfig {
tx_id: alice_tx_id,
output_index: alice_output_index.map(|i| i as u64),
block_created: alice_block_created,
maturity: alice_maturity,
owner: alice,
amount: alice_value,
color: color_alice,
},
CoinConfig {
tx_id: None,
output_index: None,
block_created: None,
maturity: None,
owner: bob,
amount: bob_value,
color: color_bob,
},
]),
height: alice_block_created.map(|h| {
let mut h: u32 = h.into();
h = h.saturating_add(rng.next_u32());
h.into()
}),
..Default::default()
}),
..ChainConfig::local_testnet()
},
..Config::local_node()
};
let db = Database::default();
FuelService::from_database(db.clone(), service_config)
.await
.unwrap();
let alice_coins = get_coins(&db, alice);
let bob_coins = get_coins(&db, bob)
.into_iter()
.map(|(_, coin)| coin)
.collect_vec();
assert!(matches!(
alice_coins.as_slice(),
&[(utxo_id, Coin {
owner,
amount,
color,
block_created,
maturity,
..
})] if utxo_id == alice_utxo_id
&& owner == alice
&& amount == alice_value
&& color == color_alice
&& block_created == alice_block_created.unwrap()
&& maturity == alice_maturity.unwrap(),
));
assert!(matches!(
bob_coins.as_slice(),
&[Coin {
owner,
amount,
color,
..
}] if owner == bob
&& amount == bob_value
&& color == color_bob
));
}
#[tokio::test]
async fn config_state_initializes_contract_state() {
let mut rng = StdRng::seed_from_u64(10);
let test_key: Bytes32 = rng.gen();
let test_value: Bytes32 = rng.gen();
let state = vec![(test_key, test_value)];
let salt: Salt = rng.gen();
let contract = Contract::from(Opcode::RET(0x10).to_bytes().to_vec());
let root = contract.root();
let id = contract.id(&salt, &root);
let service_config = Config {
chain_conf: ChainConfig {
initial_state: Some(StateConfig {
contracts: Some(vec![ContractConfig {
code: contract.into(),
salt,
state: Some(state),
balances: None,
}]),
..Default::default()
}),
..ChainConfig::local_testnet()
},
..Config::local_node()
};
let db = Database::default();
FuelService::from_database(db.clone(), service_config)
.await
.unwrap();
let ret = MerkleStorage::<ContractId, Bytes32, Bytes32>::get(&db, &id, &test_key)
.unwrap()
.expect("Expect a state entry to exist with test_key")
.into_owned();
assert_eq!(test_value, ret)
}
#[tokio::test]
async fn config_state_initializes_contract_balance() {
let mut rng = StdRng::seed_from_u64(10);
let test_color: Color = rng.gen();
let test_balance: u64 = rng.next_u64();
let balances = vec![(test_color, test_balance)];
let salt: Salt = rng.gen();
let contract = Contract::from(Opcode::RET(0x10).to_bytes().to_vec());
let root = contract.root();
let id = contract.id(&salt, &root);
let service_config = Config {
chain_conf: ChainConfig {
initial_state: Some(StateConfig {
contracts: Some(vec![ContractConfig {
code: contract.into(),
salt,
state: None,
balances: Some(balances),
}]),
..Default::default()
}),
..ChainConfig::local_testnet()
},
..Config::local_node()
};
let db = Database::default();
FuelService::from_database(db.clone(), service_config)
.await
.unwrap();
let ret = MerkleStorage::<ContractId, Color, Word>::get(&db, &id, &test_color)
.unwrap()
.expect("Expected a balance to be present")
.into_owned();
assert_eq!(test_balance, ret)
}
fn get_coins(db: &Database, owner: Address) -> Vec<(UtxoId, Coin)> {
db.owned_coins(owner, None, None)
.map(|r| {
r.and_then(|coin_id| {
Storage::<UtxoId, Coin>::get(db, &coin_id)
.map_err(Into::into)
.map(|v| (coin_id, v.unwrap().into_owned()))
})
})
.try_collect()
.unwrap()
}
}