alloy_node_bindings/nodes/
geth.rs1use crate::{
4 utils::{extract_endpoint, extract_value, unused_port, GracefulShutdown},
5 NodeError, NODE_DIAL_LOOP_TIMEOUT, NODE_STARTUP_TIMEOUT,
6};
7use alloy_genesis::{CliqueConfig, Genesis};
8use alloy_primitives::Address;
9use k256::ecdsa::SigningKey;
10use std::{
11 ffi::OsString,
12 fs::{create_dir, File},
13 io::{BufRead, BufReader},
14 path::PathBuf,
15 process::{Child, ChildStderr, Command, Stdio},
16 time::Instant,
17};
18use tempfile::tempdir;
19use url::Url;
20
21const API: &str = "eth,net,web3,txpool,admin,personal,miner,debug";
23
24const GETH: &str = "geth";
26
27#[derive(Clone, Copy, Debug, PartialEq, Eq)]
29pub enum NodeMode {
30 Dev(DevOptions),
32 NonDev(PrivateNetOptions),
34}
35
36impl Default for NodeMode {
37 fn default() -> Self {
38 Self::Dev(Default::default())
39 }
40}
41
42#[derive(Clone, Copy, Debug, Default, PartialEq, Eq)]
44pub struct DevOptions {
45 pub block_time: Option<u64>,
47}
48
49#[derive(Clone, Copy, Debug, PartialEq, Eq)]
51pub struct PrivateNetOptions {
52 pub p2p_port: Option<u16>,
54
55 pub discovery: bool,
57}
58
59impl Default for PrivateNetOptions {
60 fn default() -> Self {
61 Self { p2p_port: None, discovery: true }
62 }
63}
64
65#[derive(Debug)]
69pub struct GethInstance {
70 pid: Child,
71 host: String,
72 port: u16,
73 p2p_port: Option<u16>,
74 auth_port: Option<u16>,
75 ipc: Option<PathBuf>,
76 data_dir: Option<PathBuf>,
77 genesis: Option<Genesis>,
78 clique_private_key: Option<SigningKey>,
79}
80
81impl GethInstance {
82 pub fn host(&self) -> &str {
84 &self.host
85 }
86
87 pub const fn port(&self) -> u16 {
89 self.port
90 }
91
92 pub const fn p2p_port(&self) -> Option<u16> {
94 self.p2p_port
95 }
96
97 pub const fn auth_port(&self) -> Option<u16> {
99 self.auth_port
100 }
101
102 #[doc(alias = "http_endpoint")]
104 pub fn endpoint(&self) -> String {
105 format!("http://{}:{}", self.host, self.port)
106 }
107
108 pub fn ws_endpoint(&self) -> String {
110 format!("ws://{}:{}", self.host, self.port)
111 }
112
113 pub fn ipc_endpoint(&self) -> String {
115 self.ipc.clone().map_or_else(|| "geth.ipc".to_string(), |ipc| ipc.display().to_string())
116 }
117
118 #[doc(alias = "http_endpoint_url")]
120 pub fn endpoint_url(&self) -> Url {
121 Url::parse(&self.endpoint()).unwrap()
122 }
123
124 pub fn ws_endpoint_url(&self) -> Url {
126 Url::parse(&self.ws_endpoint()).unwrap()
127 }
128
129 pub const fn data_dir(&self) -> Option<&PathBuf> {
131 self.data_dir.as_ref()
132 }
133
134 pub const fn genesis(&self) -> Option<&Genesis> {
136 self.genesis.as_ref()
137 }
138
139 #[deprecated = "clique support was removed in geth >=1.14"]
141 pub const fn clique_private_key(&self) -> Option<&SigningKey> {
142 self.clique_private_key.as_ref()
143 }
144
145 pub fn stderr(&mut self) -> Result<ChildStderr, NodeError> {
150 self.pid.stderr.take().ok_or(NodeError::NoStderr)
151 }
152
153 pub fn wait_to_add_peer(&mut self, id: &str) -> Result<(), NodeError> {
157 let mut stderr = self.pid.stderr.as_mut().ok_or(NodeError::NoStderr)?;
158 let mut err_reader = BufReader::new(&mut stderr);
159 let mut line = String::new();
160 let start = Instant::now();
161
162 while start.elapsed() < NODE_DIAL_LOOP_TIMEOUT {
163 line.clear();
164 err_reader.read_line(&mut line).map_err(NodeError::ReadLineError)?;
165
166 let truncated_id = if id.len() > 16 { &id[..16] } else { id };
168 if line.contains("Adding p2p peer") && line.contains(truncated_id) {
169 return Ok(());
170 }
171 }
172 Err(NodeError::Timeout)
173 }
174}
175
176impl Drop for GethInstance {
177 fn drop(&mut self) {
178 GracefulShutdown::shutdown(&mut self.pid, 10, "geth");
179 }
180}
181
182#[derive(Clone, Debug, Default)]
201#[must_use = "This Builder struct does nothing unless it is `spawn`ed"]
202pub struct Geth {
203 program: Option<PathBuf>,
204 host: Option<String>,
205 port: Option<u16>,
206 authrpc_port: Option<u16>,
207 ipc_path: Option<PathBuf>,
208 ipc_enabled: bool,
209 data_dir: Option<PathBuf>,
210 chain_id: Option<u64>,
211 insecure_unlock: bool,
212 keep_err: bool,
213 genesis: Option<Genesis>,
214 mode: NodeMode,
215 clique_private_key: Option<SigningKey>,
216 args: Vec<OsString>,
217}
218
219impl Geth {
220 pub fn new() -> Self {
222 Self::default()
223 }
224
225 pub fn at(path: impl Into<PathBuf>) -> Self {
238 Self::new().path(path)
239 }
240
241 pub fn path<T: Into<PathBuf>>(mut self, path: T) -> Self {
246 self.program = Some(path.into());
247 self
248 }
249
250 pub fn dev(mut self) -> Self {
252 self.mode = NodeMode::Dev(Default::default());
253 self
254 }
255
256 pub const fn is_clique(&self) -> bool {
258 self.clique_private_key.is_some()
259 }
260
261 pub fn clique_address(&self) -> Option<Address> {
263 self.clique_private_key.as_ref().map(|pk| Address::from_public_key(pk.verifying_key()))
264 }
265
266 #[deprecated = "clique support was removed in geth >=1.14"]
272 pub fn set_clique_private_key<T: Into<SigningKey>>(mut self, private_key: T) -> Self {
273 self.clique_private_key = Some(private_key.into());
274 self
275 }
276
277 pub fn port<T: Into<u16>>(mut self, port: T) -> Self {
282 self.port = Some(port.into());
283 self
284 }
285
286 pub fn host<T: Into<String>>(mut self, host: T) -> Self {
290 self.host = Some(host.into());
291 self
292 }
293
294 pub fn p2p_port(mut self, port: u16) -> Self {
299 match &mut self.mode {
300 NodeMode::Dev(_) => {
301 self.mode = NodeMode::NonDev(PrivateNetOptions {
302 p2p_port: Some(port),
303 ..Default::default()
304 })
305 }
306 NodeMode::NonDev(opts) => opts.p2p_port = Some(port),
307 }
308 self
309 }
310
311 pub const fn block_time(mut self, block_time: u64) -> Self {
316 self.mode = NodeMode::Dev(DevOptions { block_time: Some(block_time) });
317 self
318 }
319
320 pub const fn chain_id(mut self, chain_id: u64) -> Self {
322 self.chain_id = Some(chain_id);
323 self
324 }
325
326 pub const fn insecure_unlock(mut self) -> Self {
328 self.insecure_unlock = true;
329 self
330 }
331
332 pub const fn enable_ipc(mut self) -> Self {
334 self.ipc_enabled = true;
335 self
336 }
337
338 pub fn disable_discovery(mut self) -> Self {
343 self.inner_disable_discovery();
344 self
345 }
346
347 fn inner_disable_discovery(&mut self) {
348 match &mut self.mode {
349 NodeMode::Dev(_) => {
350 self.mode =
351 NodeMode::NonDev(PrivateNetOptions { discovery: false, ..Default::default() })
352 }
353 NodeMode::NonDev(opts) => opts.discovery = false,
354 }
355 }
356
357 pub fn ipc_path<T: Into<PathBuf>>(mut self, path: T) -> Self {
359 self.ipc_path = Some(path.into());
360 self
361 }
362
363 pub fn data_dir<T: Into<PathBuf>>(mut self, path: T) -> Self {
365 self.data_dir = Some(path.into());
366 self
367 }
368
369 pub fn genesis(mut self, genesis: Genesis) -> Self {
376 self.genesis = Some(genesis);
377 self
378 }
379
380 pub const fn authrpc_port(mut self, port: u16) -> Self {
382 self.authrpc_port = Some(port);
383 self
384 }
385
386 pub const fn keep_stderr(mut self) -> Self {
390 self.keep_err = true;
391 self
392 }
393
394 pub fn push_arg<T: Into<OsString>>(&mut self, arg: T) {
396 self.args.push(arg.into());
397 }
398
399 pub fn extend_args<I, S>(&mut self, args: I)
401 where
402 I: IntoIterator<Item = S>,
403 S: Into<OsString>,
404 {
405 for arg in args {
406 self.push_arg(arg);
407 }
408 }
409
410 pub fn arg<T: Into<OsString>>(mut self, arg: T) -> Self {
414 self.args.push(arg.into());
415 self
416 }
417
418 pub fn args<I, S>(mut self, args: I) -> Self
422 where
423 I: IntoIterator<Item = S>,
424 S: Into<OsString>,
425 {
426 for arg in args {
427 self = self.arg(arg);
428 }
429 self
430 }
431
432 #[track_caller]
438 pub fn spawn(self) -> GethInstance {
439 self.try_spawn().unwrap()
440 }
441
442 pub fn try_spawn(mut self) -> Result<GethInstance, NodeError> {
444 let bin_path = self
445 .program
446 .as_ref()
447 .map_or_else(|| GETH.as_ref(), |bin| bin.as_os_str())
448 .to_os_string();
449 let mut cmd = Command::new(&bin_path);
450 cmd.stderr(Stdio::piped());
452
453 let mut port = self.port.unwrap_or(0);
455 let port_s = port.to_string();
456
457 if !self.ipc_enabled {
459 cmd.arg("--ipcdisable");
460 }
461
462 cmd.arg("--http");
464 cmd.arg("--http.port").arg(&port_s);
465 cmd.arg("--http.api").arg(API);
466
467 if let Some(ref host) = self.host {
468 cmd.arg("--http.addr").arg(host);
469 }
470
471 cmd.arg("--ws");
473 cmd.arg("--ws.port").arg(port_s);
474 cmd.arg("--ws.api").arg(API);
475
476 if let Some(ref host) = self.host {
477 cmd.arg("--ws.addr").arg(host);
478 }
479
480 let is_clique = self.is_clique();
482 if self.insecure_unlock || is_clique {
483 cmd.arg("--allow-insecure-unlock");
484 }
485
486 if is_clique {
487 self.inner_disable_discovery();
488 }
489
490 let authrpc_port = self.authrpc_port.unwrap_or_else(&mut unused_port);
492 cmd.arg("--authrpc.port").arg(authrpc_port.to_string());
493
494 if is_clique {
496 let clique_addr = self.clique_address();
497 if let Some(genesis) = &mut self.genesis {
498 let clique_config = CliqueConfig { period: Some(0), epoch: Some(8) };
500 genesis.config.clique = Some(clique_config);
501
502 let clique_addr = clique_addr.ok_or_else(|| {
503 NodeError::CliqueAddressError(
504 "could not calculates the address of the Clique consensus address."
505 .to_string(),
506 )
507 })?;
508
509 let extra_data_bytes =
511 [&[0u8; 32][..], clique_addr.as_ref(), &[0u8; 65][..]].concat();
512 genesis.extra_data = extra_data_bytes.into();
513 }
514
515 let clique_addr = self.clique_address().ok_or_else(|| {
516 NodeError::CliqueAddressError(
517 "could not calculates the address of the Clique consensus address.".to_string(),
518 )
519 })?;
520
521 self.genesis = Some(Genesis::clique_genesis(
522 self.chain_id.ok_or(NodeError::ChainIdNotSet)?,
523 clique_addr,
524 ));
525
526 cmd.arg("--miner.etherbase").arg(format!("{clique_addr:?}"));
530 }
531
532 if let Some(genesis) = &self.genesis {
533 let temp_genesis_dir = tempdir().map_err(NodeError::CreateDirError)?;
535 let temp_genesis_path = temp_genesis_dir.path().join("genesis.json");
536
537 let mut file = File::create(&temp_genesis_path).map_err(|_| {
539 NodeError::GenesisError("could not create genesis file".to_string())
540 })?;
541
542 serde_json::to_writer_pretty(&mut file, &genesis).map_err(|_| {
544 NodeError::GenesisError("could not write genesis to file".to_string())
545 })?;
546
547 let mut init_cmd = Command::new(bin_path);
548 if let Some(data_dir) = &self.data_dir {
549 init_cmd.arg("--datadir").arg(data_dir);
550 }
551
552 init_cmd.stderr(Stdio::null());
554
555 init_cmd.arg("init").arg(temp_genesis_path);
556 let res = init_cmd
557 .spawn()
558 .map_err(NodeError::SpawnError)?
559 .wait()
560 .map_err(NodeError::WaitError)?;
561 if !res.success() {
563 return Err(NodeError::InitError);
564 }
565
566 }
568
569 if let Some(data_dir) = &self.data_dir {
570 cmd.arg("--datadir").arg(data_dir);
571
572 if !data_dir.exists() {
574 create_dir(data_dir).map_err(NodeError::CreateDirError)?;
575 }
576 }
577
578 let mut p2p_port = match self.mode {
580 NodeMode::Dev(DevOptions { block_time }) => {
581 cmd.arg("--dev");
582 if let Some(block_time) = block_time {
583 cmd.arg("--dev.period").arg(block_time.to_string());
584 }
585 None
586 }
587 NodeMode::NonDev(PrivateNetOptions { p2p_port, discovery }) => {
588 let port = p2p_port.unwrap_or(0);
590 cmd.arg("--port").arg(port.to_string());
591
592 if !discovery {
594 cmd.arg("--nodiscover");
595 }
596 Some(port)
597 }
598 };
599
600 if let Some(chain_id) = self.chain_id {
601 cmd.arg("--networkid").arg(chain_id.to_string());
602 }
603
604 cmd.arg("--verbosity").arg("4");
606
607 if let Some(ipc) = &self.ipc_path {
608 cmd.arg("--ipcpath").arg(ipc);
609 }
610
611 cmd.args(self.args);
612
613 let mut child = cmd.spawn().map_err(NodeError::SpawnError)?;
614
615 let stderr = child.stderr.take().ok_or(NodeError::NoStderr)?;
616
617 let start = Instant::now();
618 let mut reader = BufReader::new(stderr);
619
620 let mut p2p_started = matches!(self.mode, NodeMode::Dev(_));
623 let mut ports_started = false;
624
625 loop {
626 if start + NODE_STARTUP_TIMEOUT <= Instant::now() {
627 let _ = child.kill();
628 return Err(NodeError::Timeout);
629 }
630
631 let mut line = String::with_capacity(120);
632 reader.read_line(&mut line).map_err(NodeError::ReadLineError)?;
633
634 if matches!(self.mode, NodeMode::NonDev(_)) && line.contains("Started P2P networking") {
635 p2p_started = true;
636 }
637
638 if !matches!(self.mode, NodeMode::Dev(_)) {
639 if line.contains("New local node record") {
641 if let Some(port) = extract_value("tcp=", &line) {
642 p2p_port = port.parse::<u16>().ok();
643 }
644 }
645 }
646
647 if line.contains("HTTP endpoint opened")
650 || (line.contains("HTTP server started") && !line.contains("auth=true"))
651 {
652 if let Some(addr) = extract_endpoint("endpoint=", &line) {
654 port = addr.port();
656 }
657
658 ports_started = true;
659 }
660
661 if line.contains("Fatal:") {
664 let _ = child.kill();
665 return Err(NodeError::Fatal(line));
666 }
667
668 if ports_started && p2p_started {
670 break;
671 }
672 }
673
674 if self.keep_err {
675 child.stderr = Some(reader.into_inner());
677 } else {
678 std::thread::spawn(move || {
682 let mut buf = String::new();
683 loop {
684 let _ = reader.read_line(&mut buf);
685 }
686 });
687 }
688
689 Ok(GethInstance {
690 pid: child,
691 host: self.host.unwrap_or_else(|| "localhost".to_string()),
692 port,
693 ipc: self.ipc_path,
694 data_dir: self.data_dir,
695 p2p_port,
696 auth_port: self.authrpc_port,
697 genesis: self.genesis,
698 clique_private_key: self.clique_private_key,
699 })
700 }
701}
702
703#[cfg(test)]
704mod tests {
705 use super::*;
706
707 #[test]
708 fn can_set_host() {
709 let geth = Geth::new().host("0.0.0.0").dev().try_spawn();
710 if let Ok(geth) = geth {
711 assert_eq!(geth.host(), "0.0.0.0");
712 assert!(geth.endpoint().starts_with("http://0.0.0.0:"));
713 assert!(geth.ws_endpoint().starts_with("ws://0.0.0.0:"));
714 }
715 }
716
717 #[test]
718 fn default_host_is_localhost() {
719 let geth = Geth::new().dev().try_spawn();
720 if let Ok(geth) = geth {
721 assert_eq!(geth.host(), "localhost");
722 assert!(geth.endpoint().starts_with("http://localhost:"));
723 assert!(geth.ws_endpoint().starts_with("ws://localhost:"));
724 }
725 }
726}