lighthouse/beacon_node/src/main.rs

92 lines
2.6 KiB
Rust
Raw Normal View History

2018-07-28 00:02:45 +00:00
extern crate slog;
mod config;
mod rpc;
2018-07-28 00:02:45 +00:00
use std::path::PathBuf;
use crate::config::LighthouseConfig;
use crate::rpc::start_server;
use beacon_chain::BeaconChain;
use clap::{App, Arg};
2019-01-22 22:33:04 +00:00
use db::{
stores::{BeaconBlockStore, BeaconStateStore},
MemoryDB,
};
use slog::{error, info, o, Drain};
2019-01-22 22:33:04 +00:00
use slot_clock::SystemTimeSlotClock;
use spec::ChainSpec;
use std::sync::Arc;
2018-07-28 00:02:45 +00:00
fn main() {
let decorator = slog_term::TermDecorator::new().build();
let drain = slog_term::CompactFormat::new(decorator).build().fuse();
let drain = slog_async::Async::new(drain).build().fuse();
let log = slog::Logger::root(drain, o!());
let matches = App::new("Lighthouse")
.version("0.0.1")
.author("Sigma Prime <paul@sigmaprime.io>")
2018-07-28 00:02:45 +00:00
.about("Eth 2.0 Client")
.arg(
Arg::with_name("datadir")
.long("datadir")
.value_name("DIR")
.help("Data directory for keys and databases.")
.takes_value(true),
)
.arg(
Arg::with_name("port")
.long("port")
.value_name("PORT")
.help("Network listen port for p2p connections.")
.takes_value(true),
)
.get_matches();
2018-07-28 00:02:45 +00:00
2018-08-06 23:13:24 +00:00
let mut config = LighthouseConfig::default();
// Custom datadir
if let Some(dir) = matches.value_of("datadir") {
config.data_dir = PathBuf::from(dir.to_string());
}
2018-08-06 23:13:24 +00:00
// Custom p2p listen port
2018-08-07 00:08:39 +00:00
if let Some(port_str) = matches.value_of("port") {
if let Ok(port) = port_str.parse::<u16>() {
config.p2p_listen_port = port;
} else {
error!(log, "Invalid port"; "port" => port_str);
return;
}
}
2018-08-07 00:08:39 +00:00
// Log configuration
info!(log, "";
2018-08-07 00:08:39 +00:00
"data_dir" => &config.data_dir.to_str(),
"port" => &config.p2p_listen_port);
2018-08-16 04:17:28 +00:00
2019-01-22 22:33:04 +00:00
// Specification (presently fixed to foundation).
let spec = ChainSpec::foundation();
// Database (presently in-memory)
let db = Arc::new(MemoryDB::open());
let block_store = Arc::new(BeaconBlockStore::new(db.clone()));
let state_store = Arc::new(BeaconStateStore::new(db.clone()));
// Slot clock
let slot_clock = SystemTimeSlotClock::new(spec.genesis_time, spec.slot_duration)
.expect("Unable to load SystemTimeSlotClock");
// Genesis chain
// TODO: persist chain to storage.
let _chain_result =
BeaconChain::genesis(state_store.clone(), block_store.clone(), slot_clock, spec);
let _server = start_server(log.clone());
2019-01-22 04:18:02 +00:00
loop {
std::thread::sleep(std::time::Duration::from_secs(1));
}
2018-07-28 00:02:45 +00:00
}