1
0
mirror of https://github.com/romanz/electrs.git synced 2024-11-19 09:54:09 +01:00
electrs/src/tracker.rs

105 lines
2.9 KiB
Rust
Raw Normal View History

2021-03-26 09:05:58 +01:00
use anyhow::{Context, Result};
use bitcoin::{BlockHash, OutPoint, Txid};
2021-03-26 09:05:58 +01:00
use serde_json::Value;
use std::convert::TryInto;
use std::path::Path;
use crate::{
cache::Cache,
chain::Chain,
config::Config,
daemon::Daemon,
db::DBStore,
index::Index,
mempool::{Histogram, Mempool},
metrics::Metrics,
status::{Balance, Status},
2021-03-26 09:05:58 +01:00
};
/// Electrum protocol subscriptions' tracker
pub struct Tracker {
index: Index,
mempool: Mempool,
metrics: Metrics,
index_batch_size: usize,
2021-05-08 10:14:12 +02:00
ignore_mempool: bool,
2021-03-26 09:05:58 +01:00
}
impl Tracker {
pub fn new(config: &Config) -> Result<Self> {
let metrics = Metrics::new(config.monitoring_addr)?;
let store = DBStore::open(Path::new(&config.db_path))?;
let chain = Chain::new(config.network);
Ok(Self {
index: Index::load(store, chain, &metrics).context("failed to open index")?,
mempool: Mempool::new(),
metrics,
index_batch_size: config.index_batch_size,
2021-05-08 10:14:12 +02:00
ignore_mempool: config.ignore_mempool,
2021-03-26 09:05:58 +01:00
})
}
pub(crate) fn chain(&self) -> &Chain {
self.index.chain()
}
pub(crate) fn fees_histogram(&self) -> &Histogram {
&self.mempool.fees_histogram()
}
pub(crate) fn metrics(&self) -> &Metrics {
&self.metrics
}
pub fn get_history(&self, status: &Status) -> impl Iterator<Item = Value> {
let confirmed = status
.get_confirmed(&self.index.chain())
.into_iter()
.map(|entry| entry.value());
let mempool = status
.get_mempool(&self.mempool)
.into_iter()
.map(|entry| entry.value());
confirmed.chain(mempool)
}
pub fn sync(&mut self, daemon: &Daemon) -> Result<()> {
self.index.sync(daemon, self.index_batch_size)?;
2021-05-08 10:14:12 +02:00
if !self.ignore_mempool {
2021-06-04 11:49:37 +02:00
self.mempool.sync(daemon);
2021-05-08 10:14:12 +02:00
}
2021-03-26 09:05:58 +01:00
// TODO: double check tip - and retry on diff
Ok(())
}
pub fn update_status(
&self,
status: &mut Status,
daemon: &Daemon,
cache: &Cache,
) -> Result<bool> {
let prev_statushash = status.statushash();
status.sync(&self.index, &self.mempool, daemon, cache)?;
Ok(prev_statushash != status.statushash())
}
pub fn get_balance(&self, status: &Status, cache: &Cache) -> Balance {
let get_amount_fn = |outpoint: OutPoint| {
cache
2021-03-26 09:05:58 +01:00
.get_tx(&outpoint.txid, |tx| {
let vout: usize = outpoint.vout.try_into().unwrap();
bitcoin::Amount::from_sat(tx.output[vout].value)
})
.expect("missing tx")
};
status.get_balance(self.chain(), get_amount_fn)
2021-03-26 09:05:58 +01:00
}
pub fn get_blockhash_by_txid(&self, txid: Txid) -> Option<BlockHash> {
// Note: there are two blocks with coinbase transactions having same txid (see BIP-30)
self.index.filter_by_txid(txid).next()
}
}