diff --git a/crates/brk_bindgen/src/analysis/tree.rs b/crates/brk_bindgen/src/analysis/tree.rs index 5fd39ba0f..41383b382 100644 --- a/crates/brk_bindgen/src/analysis/tree.rs +++ b/crates/brk_bindgen/src/analysis/tree.rs @@ -120,6 +120,9 @@ pub struct PatternBaseResult { /// Whether an outlier child was excluded to find the pattern. /// If true, pattern factory should not be used. pub has_outlier: bool, + /// Whether this instance uses suffix mode (common prefix) or prefix mode (common suffix). + /// Used to check compatibility with the pattern's mode. + pub is_suffix_mode: bool, } /// Get the metric base for a pattern instance by analyzing direct children. @@ -137,12 +140,17 @@ pub fn get_pattern_instance_base(node: &TreeNode) -> PatternBaseResult { return PatternBaseResult { base: String::new(), has_outlier: false, + is_suffix_mode: true, // default }; } // Try to find common base from leaf names - if let Some((base, has_outlier)) = try_find_base(&child_names, false) { - return PatternBaseResult { base, has_outlier }; + if let Some(result) = try_find_base(&child_names, false) { + return PatternBaseResult { + base: result.base, + has_outlier: result.has_outlier, + is_suffix_mode: result.is_suffix_mode, + }; } // If no common pattern found and we have enough children, try excluding outliers @@ -155,10 +163,11 @@ pub fn get_pattern_instance_base(node: &TreeNode) -> PatternBaseResult { .map(|(_, v)| v.clone()) .collect(); - if let Some((base, _)) = try_find_base(&filtered, true) { + if let Some(result) = try_find_base(&filtered, true) { return PatternBaseResult { - base, + base: result.base, has_outlier: true, + is_suffix_mode: result.is_suffix_mode, }; } } @@ -169,24 +178,40 @@ pub fn get_pattern_instance_base(node: &TreeNode) -> PatternBaseResult { PatternBaseResult { base: String::new(), has_outlier: false, + is_suffix_mode: true, // default } } +/// Result of try_find_base: base name, has_outlier flag, and is_suffix_mode flag. +struct FindBaseResult { + base: String, + has_outlier: bool, + is_suffix_mode: bool, +} + /// Try to find a common base from child names using prefix/suffix detection. -/// Returns Some((base, has_outlier)) if found. -fn try_find_base(child_names: &[(String, String)], is_outlier_attempt: bool) -> Option<(String, bool)> { +/// Returns Some(FindBaseResult) if found. +fn try_find_base(child_names: &[(String, String)], is_outlier_attempt: bool) -> Option { let leaf_names: Vec<&str> = child_names.iter().map(|(_, n)| n.as_str()).collect(); // Try common prefix first (suffix mode) if let Some(prefix) = find_common_prefix(&leaf_names) { let base = prefix.trim_end_matches('_').to_string(); - return Some((base, is_outlier_attempt)); + return Some(FindBaseResult { + base, + has_outlier: is_outlier_attempt, + is_suffix_mode: true, + }); } // Try common suffix (prefix mode) if let Some(suffix) = find_common_suffix(&leaf_names) { let base = suffix.trim_start_matches('_').to_string(); - return Some((base, is_outlier_attempt)); + return Some(FindBaseResult { + base, + has_outlier: is_outlier_attempt, + is_suffix_mode: false, + }); } None @@ -409,4 +434,64 @@ mod tests { assert_eq!(result.base, "sopr"); assert!(result.has_outlier); // Pattern factory should NOT be used (inline instead) } + + #[test] + fn test_get_pattern_instance_base_suffix_mode_price_ago() { + // Simulates price_ago pattern: price_1d_ago, price_1w_ago, price_10y_ago + // Common prefix is "price_", so this is suffix mode + let tree = make_branch(vec![ + ("_1d", make_leaf("price_1d_ago")), + ("_1w", make_leaf("price_1w_ago")), + ("_1m", make_leaf("price_1m_ago")), + ("_10y", make_leaf("price_10y_ago")), + ]); + + let result = get_pattern_instance_base(&tree); + assert_eq!(result.base, "price"); + assert!(result.is_suffix_mode); // Suffix mode: _m(base, "1d_ago") + assert!(!result.has_outlier); + } + + #[test] + fn test_get_pattern_instance_base_prefix_mode_price_returns() { + // Simulates price_returns pattern: 1d_price_returns, 1w_price_returns, 10y_price_returns + // Common suffix is "_price_returns", so this is prefix mode + let tree = make_branch(vec![ + ("_1d", make_leaf("1d_price_returns")), + ("_1w", make_leaf("1w_price_returns")), + ("_1m", make_leaf("1m_price_returns")), + ("_10y", make_leaf("10y_price_returns")), + ]); + + let result = get_pattern_instance_base(&tree); + assert_eq!(result.base, "price_returns"); + assert!(!result.is_suffix_mode); // Prefix mode: _p("1d_", base) + assert!(!result.has_outlier); + } + + #[test] + fn test_mode_detection_distinguishes_similar_structures() { + // Two patterns with identical structure but different naming conventions + // should have different modes detected + + // Suffix mode pattern + let suffix_tree = make_branch(vec![ + ("_1y", make_leaf("lump_sum_1y")), + ("_2y", make_leaf("lump_sum_2y")), + ("_5y", make_leaf("lump_sum_5y")), + ]); + let suffix_result = get_pattern_instance_base(&suffix_tree); + assert_eq!(suffix_result.base, "lump_sum"); + assert!(suffix_result.is_suffix_mode); + + // Prefix mode pattern (same structure, different naming) + let prefix_tree = make_branch(vec![ + ("_1y", make_leaf("1y_returns")), + ("_2y", make_leaf("2y_returns")), + ("_5y", make_leaf("5y_returns")), + ]); + let prefix_result = get_pattern_instance_base(&prefix_tree); + assert_eq!(prefix_result.base, "returns"); + assert!(!prefix_result.is_suffix_mode); + } } diff --git a/crates/brk_bindgen/src/generate/tree.rs b/crates/brk_bindgen/src/generate/tree.rs index b48e467d5..4441047a4 100644 --- a/crates/brk_bindgen/src/generate/tree.rs +++ b/crates/brk_bindgen/src/generate/tree.rs @@ -55,12 +55,17 @@ pub fn prepare_tree_node<'a>( .map(|(f, _)| f.clone()) .collect(); - // Skip if this matches a parameterizable pattern AND has no outlier + // Skip if this matches a parameterizable pattern AND has no outlier AND mode matches let base_result = get_pattern_instance_base(node); + let mode_matches = pattern_lookup + .get(&fields) + .and_then(|name| metadata.find_pattern(name)) + .is_none_or(|p| p.is_suffix_mode() == base_result.is_suffix_mode); if let Some(pattern_name) = pattern_lookup.get(&fields) && pattern_name != name && metadata.is_parameterizable(pattern_name) && !base_result.has_outlier + && mode_matches { return None; } @@ -84,9 +89,16 @@ pub fn prepare_tree_node<'a>( .as_ref() .is_some_and(|cf| metadata.matches_pattern(cf)); + // Check if the pattern mode matches the instance mode + let mode_matches = child_fields + .as_ref() + .and_then(|cf| metadata.find_pattern_by_fields(cf)) + .is_none_or(|p| p.is_suffix_mode() == base_result.is_suffix_mode); + // should_inline determines if we generate an inline struct type - // We inline only if it's a branch AND doesn't match any pattern - let should_inline = !is_leaf && !matches_any_pattern; + // We inline if: it's a branch AND (doesn't match any pattern OR mode doesn't match OR has outlier) + let should_inline = + !is_leaf && (!matches_any_pattern || !mode_matches || base_result.has_outlier); // Inline type name (only used when should_inline is true) let inline_type_name = if should_inline { diff --git a/crates/brk_bindgen/src/generators/javascript/tree.rs b/crates/brk_bindgen/src/generators/javascript/tree.rs index 0e2356217..3645d626a 100644 --- a/crates/brk_bindgen/src/generators/javascript/tree.rs +++ b/crates/brk_bindgen/src/generators/javascript/tree.rs @@ -6,9 +6,8 @@ use std::fmt::Write; use brk_types::TreeNode; use crate::{ - ClientMetadata, Endpoint, GenericSyntax, JavaScriptSyntax, PatternField, - generate_leaf_field, get_first_leaf_name, get_node_fields, get_pattern_instance_base, - infer_accumulated_name, prepare_tree_node, to_camel_case, + ClientMetadata, Endpoint, GenericSyntax, JavaScriptSyntax, PatternField, generate_leaf_field, + prepare_tree_node, to_camel_case, }; use super::api::generate_api_methods; @@ -121,15 +120,36 @@ pub fn generate_main_client( writeln!(output, " */").unwrap(); writeln!(output, " _buildTree(basePath) {{").unwrap(); writeln!(output, " return {{").unwrap(); - generate_tree_initializer(output, catalog, "", 3, &pattern_lookup, metadata); + let mut generated = HashSet::new(); + generate_tree_initializer( + output, + catalog, + "MetricsTree", + 3, + &pattern_lookup, + metadata, + &mut generated, + ); writeln!(output, " }};").unwrap(); writeln!(output, " }}\n").unwrap(); writeln!(output, " /**").unwrap(); - writeln!(output, " * Create a dynamic metric endpoint builder for any metric/index combination.").unwrap(); + writeln!( + output, + " * Create a dynamic metric endpoint builder for any metric/index combination." + ) + .unwrap(); writeln!(output, " *").unwrap(); - writeln!(output, " * Use this for programmatic access when the metric name is determined at runtime.").unwrap(); - writeln!(output, " * For type-safe access, use the `metrics` tree instead.").unwrap(); + writeln!( + output, + " * Use this for programmatic access when the metric name is determined at runtime." + ) + .unwrap(); + writeln!( + output, + " * For type-safe access, use the `metrics` tree instead." + ) + .unwrap(); writeln!(output, " *").unwrap(); writeln!(output, " * @param {{string}} metric - The metric name").unwrap(); writeln!(output, " * @param {{Index}} index - The index name").unwrap(); @@ -149,66 +169,55 @@ pub fn generate_main_client( fn generate_tree_initializer( output: &mut String, node: &TreeNode, - accumulated_name: &str, + name: &str, indent: usize, pattern_lookup: &std::collections::HashMap, String>, metadata: &ClientMetadata, + generated: &mut HashSet, ) { let indent_str = " ".repeat(indent); + let Some(ctx) = prepare_tree_node(node, name, pattern_lookup, metadata, generated) else { + return; + }; + let syntax = JavaScriptSyntax; - if let TreeNode::Branch(children) = node { - for (child_name, child_node) in children.iter() { - match child_node { - TreeNode::Leaf(leaf) => { - // Use shared helper for leaf fields - generate_leaf_field( - output, - &syntax, - "this", - child_name, - leaf, - metadata, - &indent_str, - ); - } - TreeNode::Branch(grandchildren) => { - let field_name = to_camel_case(child_name); - let child_fields = get_node_fields(grandchildren, pattern_lookup); - // Use pattern factory if ANY pattern matches (not just parameterizable) - let pattern_name = pattern_lookup.get(&child_fields); + for child in &ctx.children { + let field_name = to_camel_case(child.name); - let base_result = get_pattern_instance_base(child_node); - - // Use pattern factory only if no outlier was detected - if let Some(pattern_name) = pattern_name.filter(|_| !base_result.has_outlier) { - writeln!( - output, - "{}{}: create{}(this, '{}'),", - indent_str, field_name, pattern_name, base_result.base - ) - .unwrap(); - } else { - let child_acc = - infer_child_accumulated_name(child_node, accumulated_name, child_name); - writeln!(output, "{}{}: {{", indent_str, field_name).unwrap(); - generate_tree_initializer( - output, - child_node, - &child_acc, - indent + 1, - pattern_lookup, - metadata, - ); - writeln!(output, "{}}},", indent_str).unwrap(); - } - } + if child.is_leaf { + if let TreeNode::Leaf(leaf) = child.node { + generate_leaf_field( + output, + &syntax, + "this", + child.name, + leaf, + metadata, + &indent_str, + ); } + } else if child.should_inline { + // Inline object + writeln!(output, "{}{}: {{", indent_str, field_name).unwrap(); + generate_tree_initializer( + output, + child.node, + &child.inline_type_name, + indent + 1, + pattern_lookup, + metadata, + generated, + ); + writeln!(output, "{}}},", indent_str).unwrap(); + } else { + // Use pattern factory + writeln!( + output, + "{}{}: create{}(this, '{}'),", + indent_str, field_name, child.field.rust_type, child.base_result.base + ) + .unwrap(); } } } - -fn infer_child_accumulated_name(node: &TreeNode, parent_acc: &str, field_name: &str) -> String { - let leaf_name = get_first_leaf_name(node).unwrap_or_default(); - infer_accumulated_name(parent_acc, field_name, &leaf_name) -} diff --git a/crates/brk_bindgen/src/generators/rust/client.rs b/crates/brk_bindgen/src/generators/rust/client.rs index 514d26f15..0495d0f5c 100644 --- a/crates/brk_bindgen/src/generators/rust/client.rs +++ b/crates/brk_bindgen/src/generators/rust/client.rs @@ -392,7 +392,12 @@ pub fn generate_index_accessors(output: &mut String, patterns: &[IndexSetPattern writeln!(output, "impl {} {{", by_name).unwrap(); for index in &pattern.indexes { let method_name = index_to_field_name(index); - writeln!(output, " pub fn {}(&self) -> MetricEndpointBuilder {{", method_name).unwrap(); + writeln!( + output, + " pub fn {}(&self) -> MetricEndpointBuilder {{", + method_name + ) + .unwrap(); writeln!( output, " MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::{})", @@ -425,7 +430,12 @@ pub fn generate_index_accessors(output: &mut String, patterns: &[IndexSetPattern writeln!(output, " let name: Arc = name.into();").unwrap(); writeln!(output, " Self {{").unwrap(); writeln!(output, " name: name.clone(),").unwrap(); - writeln!(output, " by: {} {{ client, name, _marker: std::marker::PhantomData }}", by_name).unwrap(); + writeln!( + output, + " by: {} {{ client, name, _marker: std::marker::PhantomData }}", + by_name + ) + .unwrap(); writeln!(output, " }}").unwrap(); writeln!(output, " }}").unwrap(); writeln!(output).unwrap(); @@ -436,7 +446,12 @@ pub fn generate_index_accessors(output: &mut String, patterns: &[IndexSetPattern writeln!(output, "}}\n").unwrap(); // Implement AnyMetricPattern trait - writeln!(output, "impl AnyMetricPattern for {} {{", pattern.name).unwrap(); + writeln!( + output, + "impl AnyMetricPattern for {} {{", + pattern.name + ) + .unwrap(); writeln!(output, " fn name(&self) -> &str {{").unwrap(); writeln!(output, " &self.name").unwrap(); writeln!(output, " }}").unwrap(); @@ -451,12 +466,26 @@ pub fn generate_index_accessors(output: &mut String, patterns: &[IndexSetPattern writeln!(output, "}}\n").unwrap(); // Implement MetricPattern trait - writeln!(output, "impl MetricPattern for {} {{", pattern.name).unwrap(); - writeln!(output, " fn get(&self, index: Index) -> Option> {{").unwrap(); + writeln!( + output, + "impl MetricPattern for {} {{", + pattern.name + ) + .unwrap(); + writeln!( + output, + " fn get(&self, index: Index) -> Option> {{" + ) + .unwrap(); writeln!(output, " match index {{").unwrap(); for index in &pattern.indexes { let method_name = index_to_field_name(index); - writeln!(output, " Index::{} => Some(self.by.{}()),", index, method_name).unwrap(); + writeln!( + output, + " Index::{} => Some(self.by.{}()),", + index, method_name + ) + .unwrap(); } writeln!(output, " _ => None,").unwrap(); writeln!(output, " }}").unwrap(); @@ -486,8 +515,12 @@ pub fn generate_pattern_structs( for field in &pattern.fields { let field_name = to_snake_case(&field.name); - let type_annotation = - metadata.field_type_annotation(field, pattern.is_generic, None, GenericSyntax::RUST); + let type_annotation = metadata.field_type_annotation( + field, + pattern.is_generic, + None, + GenericSyntax::RUST, + ); writeln!(output, " pub {}: {},", field_name, type_annotation).unwrap(); } diff --git a/crates/brk_bindgen/src/types/metadata.rs b/crates/brk_bindgen/src/types/metadata.rs index 56b701e7c..caf5ec011 100644 --- a/crates/brk_bindgen/src/types/metadata.rs +++ b/crates/brk_bindgen/src/types/metadata.rs @@ -95,6 +95,14 @@ impl ClientMetadata { || self.structural_patterns.iter().any(|p| p.fields == fields) } + /// Find a pattern by its fields. + pub fn find_pattern_by_fields(&self, fields: &[PatternField]) -> Option<&StructuralPattern> { + self.concrete_to_pattern + .get(fields) + .and_then(|name| self.find_pattern(name)) + .or_else(|| self.structural_patterns.iter().find(|p| p.fields == fields)) + } + /// Resolve the type name for a tree field. /// If the field matches ANY pattern (parameterizable or not), returns pattern type. /// Otherwise returns the inline type name (parent_child format). diff --git a/crates/brk_client/examples/tree.rs b/crates/brk_client/examples/tree.rs index 2c10a6a36..35c900a57 100644 --- a/crates/brk_client/examples/tree.rs +++ b/crates/brk_client/examples/tree.rs @@ -52,40 +52,27 @@ fn main() -> brk_client::Result<()> { println!("\nFound {} metrics", metrics.len()); let mut success = 0; - let mut failed = 0; - let mut errors: Vec = Vec::new(); for metric in &metrics { for index in &metric.indexes { let index_str = index.serialize_long(); + let full_path = format!("{}.by.{}", metric.path, index_str); + match client.get_metric( metric.name.as_str().into(), *index, None, + Some(0), None, - Some("-3"), None, ) { - Ok(response) => { - let count = response.json().data.len(); - if count != 3 { - failed += 1; - let error_msg = format!( - "FAIL: {}.by.{} -> expected 3, got {}", - metric.path, index_str, count - ); - errors.push(error_msg.clone()); - println!("{}", error_msg); - } else { - success += 1; - println!("OK: {}.by.{} -> {} items", metric.path, index_str, count); - } + Ok(_) => { + success += 1; + println!("OK: {}", full_path); } Err(e) => { - failed += 1; - let error_msg = format!("FAIL: {}.by.{} -> {}", metric.path, index_str, e); - errors.push(error_msg.clone()); - println!("{}", error_msg); + println!("FAIL: {} -> {}", full_path, e); + return Err(e); } } } @@ -93,21 +80,6 @@ fn main() -> brk_client::Result<()> { println!("\n=== Results ==="); println!("Success: {}", success); - println!("Failed: {}", failed); - - if !errors.is_empty() { - println!("\nErrors:"); - for err in errors.iter().take(10) { - println!(" {}", err); - } - if errors.len() > 10 { - println!(" ... and {} more", errors.len() - 10); - } - } - - if failed > 0 { - std::process::exit(1); - } Ok(()) } diff --git a/crates/brk_client/src/lib.rs b/crates/brk_client/src/lib.rs index 49e9897c9..2e0c49186 100644 --- a/crates/brk_client/src/lib.rs +++ b/crates/brk_client/src/lib.rs @@ -7,12 +7,11 @@ #![allow(clippy::useless_format)] #![allow(clippy::unnecessary_to_owned)] -use std::sync::Arc; -use std::ops::{Bound, RangeBounds}; -use serde::de::DeserializeOwned; pub use brk_cohort::*; pub use brk_types::*; - +use serde::de::DeserializeOwned; +use std::ops::{Bound, RangeBounds}; +use std::sync::Arc; /// Error type for BRK client operations. #[derive(Debug)] @@ -77,7 +76,9 @@ impl BrkClientBase { let response = minreq::get(&url) .with_timeout(self.timeout_secs) .send() - .map_err(|e| BrkError { message: e.to_string() })?; + .map_err(|e| BrkError { + message: e.to_string(), + })?; if response.status_code >= 400 { return Err(BrkError { @@ -90,9 +91,9 @@ impl BrkClientBase { /// Make a GET request and deserialize JSON response. pub fn get_json(&self, path: &str) -> Result { - self.get(path)? - .json() - .map_err(|e| BrkError { message: e.to_string() }) + self.get(path)?.json().map_err(|e| BrkError { + message: e.to_string(), + }) } /// Make a GET request and return raw text response. @@ -100,25 +101,34 @@ impl BrkClientBase { self.get(path)? .as_str() .map(|s| s.to_string()) - .map_err(|e| BrkError { message: e.to_string() }) + .map_err(|e| BrkError { + message: e.to_string(), + }) } } /// Build metric name with suffix. #[inline] fn _m(acc: &str, s: &str) -> String { - if s.is_empty() { acc.to_string() } - else if acc.is_empty() { s.to_string() } - else { format!("{acc}_{s}") } + if s.is_empty() { + acc.to_string() + } else if acc.is_empty() { + s.to_string() + } else { + format!("{acc}_{s}") + } } /// Build metric name with prefix. #[inline] fn _p(prefix: &str, acc: &str) -> String { - if acc.is_empty() { prefix.to_string() } else { format!("{prefix}_{acc}") } + if acc.is_empty() { + prefix.to_string() + } else { + format!("{prefix}_{acc}") + } } - /// Non-generic trait for metric patterns (usable in collections). pub trait AnyMetricPattern { /// Get the metric name. @@ -134,7 +144,6 @@ pub trait MetricPattern: AnyMetricPattern { fn get(&self, index: Index) -> Option>; } - /// Shared endpoint configuration. #[derive(Clone)] struct EndpointConfig { @@ -147,7 +156,13 @@ struct EndpointConfig { impl EndpointConfig { fn new(client: Arc, name: Arc, index: Index) -> Self { - Self { client, name, index, start: None, end: None } + Self { + client, + name, + index, + start: None, + end: None, + } } fn path(&self) -> String { @@ -156,11 +171,21 @@ impl EndpointConfig { fn build_path(&self, format: Option<&str>) -> String { let mut params = Vec::new(); - if let Some(s) = self.start { params.push(format!("start={}", s)); } - if let Some(e) = self.end { params.push(format!("end={}", e)); } - if let Some(fmt) = format { params.push(format!("format={}", fmt)); } + if let Some(s) = self.start { + params.push(format!("start={}", s)); + } + if let Some(e) = self.end { + params.push(format!("end={}", e)); + } + if let Some(fmt) = format { + params.push(format!("format={}", fmt)); + } let p = self.path(); - if params.is_empty() { p } else { format!("{}?{}", p, params.join("&")) } + if params.is_empty() { + p + } else { + format!("{}?{}", p, params.join("&")) + } } fn get_json(&self, format: Option<&str>) -> Result { @@ -206,14 +231,20 @@ pub struct MetricEndpointBuilder { impl MetricEndpointBuilder { pub fn new(client: Arc, name: Arc, index: Index) -> Self { - Self { config: EndpointConfig::new(client, name, index), _marker: std::marker::PhantomData } + Self { + config: EndpointConfig::new(client, name, index), + _marker: std::marker::PhantomData, + } } /// Select a specific index position. pub fn get(mut self, index: usize) -> SingleItemBuilder { self.config.start = Some(index as i64); self.config.end = Some(index as i64 + 1); - SingleItemBuilder { config: self.config, _marker: std::marker::PhantomData } + SingleItemBuilder { + config: self.config, + _marker: std::marker::PhantomData, + } } /// Select a range using Rust range syntax. @@ -235,7 +266,10 @@ impl MetricEndpointBuilder { Bound::Excluded(&n) => Some(n as i64), Bound::Unbounded => None, }; - RangeBuilder { config: self.config, _marker: std::marker::PhantomData } + RangeBuilder { + config: self.config, + _marker: std::marker::PhantomData, + } } /// Take the first n items. @@ -250,13 +284,19 @@ impl MetricEndpointBuilder { } else { self.config.start = Some(-(n as i64)); } - RangeBuilder { config: self.config, _marker: std::marker::PhantomData } + RangeBuilder { + config: self.config, + _marker: std::marker::PhantomData, + } } /// Skip the first n items. Chain with `take(n)` to get a range. pub fn skip(mut self, n: usize) -> SkippedBuilder { self.config.start = Some(n as i64); - SkippedBuilder { config: self.config, _marker: std::marker::PhantomData } + SkippedBuilder { + config: self.config, + _marker: std::marker::PhantomData, + } } /// Fetch all data as parsed JSON. @@ -304,7 +344,10 @@ impl SkippedBuilder { pub fn take(mut self, n: usize) -> RangeBuilder { let start = self.config.start.unwrap_or(0); self.config.end = Some(start + n as i64); - RangeBuilder { config: self.config, _marker: std::marker::PhantomData } + RangeBuilder { + config: self.config, + _marker: std::marker::PhantomData, + } } /// Fetch from the skipped position to the end. @@ -336,7 +379,6 @@ impl RangeBuilder { } } - // Index accessor structs /// Container for index endpoint methods. @@ -354,7 +396,11 @@ impl MetricPattern1By { MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::DecadeIndex) } pub fn difficultyepoch(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::DifficultyEpoch) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::DifficultyEpoch, + ) } pub fn height(&self) -> MetricEndpointBuilder { MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::Height) @@ -387,7 +433,11 @@ impl MetricPattern1 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern1By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern1By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -449,7 +499,11 @@ impl MetricPattern2By { MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::DecadeIndex) } pub fn difficultyepoch(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::DifficultyEpoch) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::DifficultyEpoch, + ) } pub fn monthindex(&self) -> MetricEndpointBuilder { MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::MonthIndex) @@ -479,7 +533,11 @@ impl MetricPattern2 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern2By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern2By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -569,7 +627,11 @@ impl MetricPattern3 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern3By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern3By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -656,7 +718,11 @@ impl MetricPattern4 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern4By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern4By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -726,7 +792,11 @@ impl MetricPattern5 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern5By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern5By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -742,10 +812,7 @@ impl AnyMetricPattern for MetricPattern5 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::DateIndex, - Index::Height, - ] + &[Index::DateIndex, Index::Height] } } @@ -783,7 +850,11 @@ impl MetricPattern6 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern6By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern6By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -799,9 +870,7 @@ impl AnyMetricPattern for MetricPattern6 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::DateIndex, - ] + &[Index::DateIndex] } } @@ -838,7 +907,11 @@ impl MetricPattern7 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern7By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern7By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -854,9 +927,7 @@ impl AnyMetricPattern for MetricPattern7 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::DecadeIndex, - ] + &[Index::DecadeIndex] } } @@ -878,7 +949,11 @@ pub struct MetricPattern8By { impl MetricPattern8By { pub fn difficultyepoch(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::DifficultyEpoch) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::DifficultyEpoch, + ) } } @@ -893,7 +968,11 @@ impl MetricPattern8 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern8By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern8By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -909,9 +988,7 @@ impl AnyMetricPattern for MetricPattern8 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::DifficultyEpoch, - ] + &[Index::DifficultyEpoch] } } @@ -933,7 +1010,11 @@ pub struct MetricPattern9By { impl MetricPattern9By { pub fn emptyoutputindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::EmptyOutputIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::EmptyOutputIndex, + ) } } @@ -948,7 +1029,11 @@ impl MetricPattern9 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern9By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern9By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -964,9 +1049,7 @@ impl AnyMetricPattern for MetricPattern9 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::EmptyOutputIndex, - ] + &[Index::EmptyOutputIndex] } } @@ -1003,7 +1086,11 @@ impl MetricPattern10 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern10By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern10By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1019,9 +1106,7 @@ impl AnyMetricPattern for MetricPattern10 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::HalvingEpoch, - ] + &[Index::HalvingEpoch] } } @@ -1058,7 +1143,11 @@ impl MetricPattern11 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern11By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern11By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1074,9 +1163,7 @@ impl AnyMetricPattern for MetricPattern11 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::Height, - ] + &[Index::Height] } } @@ -1113,7 +1200,11 @@ impl MetricPattern12 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern12By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern12By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1129,9 +1220,7 @@ impl AnyMetricPattern for MetricPattern12 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::TxInIndex, - ] + &[Index::TxInIndex] } } @@ -1168,7 +1257,11 @@ impl MetricPattern13 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern13By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern13By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1184,9 +1277,7 @@ impl AnyMetricPattern for MetricPattern13 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::MonthIndex, - ] + &[Index::MonthIndex] } } @@ -1223,7 +1314,11 @@ impl MetricPattern14 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern14By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern14By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1239,9 +1334,7 @@ impl AnyMetricPattern for MetricPattern14 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::OpReturnIndex, - ] + &[Index::OpReturnIndex] } } @@ -1278,7 +1371,11 @@ impl MetricPattern15 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern15By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern15By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1294,9 +1391,7 @@ impl AnyMetricPattern for MetricPattern15 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::TxOutIndex, - ] + &[Index::TxOutIndex] } } @@ -1318,7 +1413,11 @@ pub struct MetricPattern16By { impl MetricPattern16By { pub fn p2aaddressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2AAddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2AAddressIndex, + ) } } @@ -1333,7 +1432,11 @@ impl MetricPattern16 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern16By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern16By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1349,9 +1452,7 @@ impl AnyMetricPattern for MetricPattern16 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2AAddressIndex, - ] + &[Index::P2AAddressIndex] } } @@ -1373,7 +1474,11 @@ pub struct MetricPattern17By { impl MetricPattern17By { pub fn p2msoutputindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2MSOutputIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2MSOutputIndex, + ) } } @@ -1388,7 +1493,11 @@ impl MetricPattern17 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern17By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern17By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1404,9 +1513,7 @@ impl AnyMetricPattern for MetricPattern17 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2MSOutputIndex, - ] + &[Index::P2MSOutputIndex] } } @@ -1428,7 +1535,11 @@ pub struct MetricPattern18By { impl MetricPattern18By { pub fn p2pk33addressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2PK33AddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2PK33AddressIndex, + ) } } @@ -1443,7 +1554,11 @@ impl MetricPattern18 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern18By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern18By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1459,9 +1574,7 @@ impl AnyMetricPattern for MetricPattern18 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2PK33AddressIndex, - ] + &[Index::P2PK33AddressIndex] } } @@ -1483,7 +1596,11 @@ pub struct MetricPattern19By { impl MetricPattern19By { pub fn p2pk65addressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2PK65AddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2PK65AddressIndex, + ) } } @@ -1498,7 +1615,11 @@ impl MetricPattern19 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern19By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern19By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1514,9 +1635,7 @@ impl AnyMetricPattern for MetricPattern19 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2PK65AddressIndex, - ] + &[Index::P2PK65AddressIndex] } } @@ -1538,7 +1657,11 @@ pub struct MetricPattern20By { impl MetricPattern20By { pub fn p2pkhaddressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2PKHAddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2PKHAddressIndex, + ) } } @@ -1553,7 +1676,11 @@ impl MetricPattern20 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern20By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern20By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1569,9 +1696,7 @@ impl AnyMetricPattern for MetricPattern20 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2PKHAddressIndex, - ] + &[Index::P2PKHAddressIndex] } } @@ -1593,7 +1718,11 @@ pub struct MetricPattern21By { impl MetricPattern21By { pub fn p2shaddressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2SHAddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2SHAddressIndex, + ) } } @@ -1608,7 +1737,11 @@ impl MetricPattern21 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern21By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern21By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1624,9 +1757,7 @@ impl AnyMetricPattern for MetricPattern21 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2SHAddressIndex, - ] + &[Index::P2SHAddressIndex] } } @@ -1648,7 +1779,11 @@ pub struct MetricPattern22By { impl MetricPattern22By { pub fn p2traddressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2TRAddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2TRAddressIndex, + ) } } @@ -1663,7 +1798,11 @@ impl MetricPattern22 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern22By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern22By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1679,9 +1818,7 @@ impl AnyMetricPattern for MetricPattern22 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2TRAddressIndex, - ] + &[Index::P2TRAddressIndex] } } @@ -1703,7 +1840,11 @@ pub struct MetricPattern23By { impl MetricPattern23By { pub fn p2wpkhaddressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2WPKHAddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2WPKHAddressIndex, + ) } } @@ -1718,7 +1859,11 @@ impl MetricPattern23 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern23By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern23By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1734,9 +1879,7 @@ impl AnyMetricPattern for MetricPattern23 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2WPKHAddressIndex, - ] + &[Index::P2WPKHAddressIndex] } } @@ -1758,7 +1901,11 @@ pub struct MetricPattern24By { impl MetricPattern24By { pub fn p2wshaddressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::P2WSHAddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::P2WSHAddressIndex, + ) } } @@ -1773,7 +1920,11 @@ impl MetricPattern24 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern24By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern24By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1789,9 +1940,7 @@ impl AnyMetricPattern for MetricPattern24 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::P2WSHAddressIndex, - ] + &[Index::P2WSHAddressIndex] } } @@ -1828,7 +1977,11 @@ impl MetricPattern25 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern25By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern25By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1844,9 +1997,7 @@ impl AnyMetricPattern for MetricPattern25 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::QuarterIndex, - ] + &[Index::QuarterIndex] } } @@ -1883,7 +2034,11 @@ impl MetricPattern26 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern26By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern26By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1899,9 +2054,7 @@ impl AnyMetricPattern for MetricPattern26 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::SemesterIndex, - ] + &[Index::SemesterIndex] } } @@ -1938,7 +2091,11 @@ impl MetricPattern27 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern27By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern27By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -1954,9 +2111,7 @@ impl AnyMetricPattern for MetricPattern27 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::TxIndex, - ] + &[Index::TxIndex] } } @@ -1978,7 +2133,11 @@ pub struct MetricPattern28By { impl MetricPattern28By { pub fn unknownoutputindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::UnknownOutputIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::UnknownOutputIndex, + ) } } @@ -1993,7 +2152,11 @@ impl MetricPattern28 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern28By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern28By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -2009,9 +2172,7 @@ impl AnyMetricPattern for MetricPattern28 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::UnknownOutputIndex, - ] + &[Index::UnknownOutputIndex] } } @@ -2048,7 +2209,11 @@ impl MetricPattern29 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern29By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern29By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -2064,9 +2229,7 @@ impl AnyMetricPattern for MetricPattern29 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::WeekIndex, - ] + &[Index::WeekIndex] } } @@ -2103,7 +2266,11 @@ impl MetricPattern30 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern30By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern30By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -2119,9 +2286,7 @@ impl AnyMetricPattern for MetricPattern30 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::YearIndex, - ] + &[Index::YearIndex] } } @@ -2143,7 +2308,11 @@ pub struct MetricPattern31By { impl MetricPattern31By { pub fn loadedaddressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::LoadedAddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::LoadedAddressIndex, + ) } } @@ -2158,7 +2327,11 @@ impl MetricPattern31 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern31By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern31By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -2174,9 +2347,7 @@ impl AnyMetricPattern for MetricPattern31 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::LoadedAddressIndex, - ] + &[Index::LoadedAddressIndex] } } @@ -2198,7 +2369,11 @@ pub struct MetricPattern32By { impl MetricPattern32By { pub fn emptyaddressindex(&self) -> MetricEndpointBuilder { - MetricEndpointBuilder::new(self.client.clone(), self.name.clone(), Index::EmptyAddressIndex) + MetricEndpointBuilder::new( + self.client.clone(), + self.name.clone(), + Index::EmptyAddressIndex, + ) } } @@ -2213,7 +2388,11 @@ impl MetricPattern32 { let name: Arc = name.into(); Self { name: name.clone(), - by: MetricPattern32By { client, name, _marker: std::marker::PhantomData } + by: MetricPattern32By { + client, + name, + _marker: std::marker::PhantomData, + }, } } @@ -2229,9 +2408,7 @@ impl AnyMetricPattern for MetricPattern32 { } fn indexes(&self) -> &'static [Index] { - &[ - Index::EmptyAddressIndex, - ] + &[Index::EmptyAddressIndex] } } @@ -2287,31 +2464,88 @@ impl RealizedPattern3 { pub fn new(client: Arc, acc: String) -> Self { Self { adjusted_sopr: MetricPattern6::new(client.clone(), _m(&acc, "adjusted_sopr")), - adjusted_sopr_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "adjusted_sopr_30d_ema")), - adjusted_sopr_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "adjusted_sopr_7d_ema")), - adjusted_value_created: MetricPattern1::new(client.clone(), _m(&acc, "adjusted_value_created")), - adjusted_value_destroyed: MetricPattern1::new(client.clone(), _m(&acc, "adjusted_value_destroyed")), + adjusted_sopr_30d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "adjusted_sopr_30d_ema"), + ), + adjusted_sopr_7d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "adjusted_sopr_7d_ema"), + ), + adjusted_value_created: MetricPattern1::new( + client.clone(), + _m(&acc, "adjusted_value_created"), + ), + adjusted_value_destroyed: MetricPattern1::new( + client.clone(), + _m(&acc, "adjusted_value_destroyed"), + ), mvrv: MetricPattern4::new(client.clone(), _m(&acc, "mvrv")), neg_realized_loss: BitcoinPattern2::new(client.clone(), _m(&acc, "neg_realized_loss")), net_realized_pnl: BlockCountPattern::new(client.clone(), _m(&acc, "net_realized_pnl")), - net_realized_pnl_cumulative_30d_delta: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta")), - net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap")), - net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap")), - net_realized_pnl_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "net_realized_pnl_rel_to_realized_cap")), + net_realized_pnl_cumulative_30d_delta: MetricPattern4::new( + client.clone(), + _m(&acc, "net_realized_pnl_cumulative_30d_delta"), + ), + net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4::new( + client.clone(), + _m( + &acc, + "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap", + ), + ), + net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4::new( + client.clone(), + _m( + &acc, + "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap", + ), + ), + net_realized_pnl_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "net_realized_pnl_rel_to_realized_cap"), + ), realized_cap: MetricPattern1::new(client.clone(), _m(&acc, "realized_cap")), - realized_cap_30d_delta: MetricPattern4::new(client.clone(), _m(&acc, "realized_cap_30d_delta")), - realized_cap_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "realized_cap_rel_to_own_market_cap")), + realized_cap_30d_delta: MetricPattern4::new( + client.clone(), + _m(&acc, "realized_cap_30d_delta"), + ), + realized_cap_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "realized_cap_rel_to_own_market_cap"), + ), realized_loss: BlockCountPattern::new(client.clone(), _m(&acc, "realized_loss")), - realized_loss_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "realized_loss_rel_to_realized_cap")), + realized_loss_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "realized_loss_rel_to_realized_cap"), + ), realized_price: MetricPattern1::new(client.clone(), _m(&acc, "realized_price")), - realized_price_extra: ActivePriceRatioPattern::new(client.clone(), _m(&acc, "realized_price_ratio")), + realized_price_extra: ActivePriceRatioPattern::new( + client.clone(), + _m(&acc, "realized_price_ratio"), + ), realized_profit: BlockCountPattern::new(client.clone(), _m(&acc, "realized_profit")), - realized_profit_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "realized_profit_rel_to_realized_cap")), - realized_profit_to_loss_ratio: MetricPattern6::new(client.clone(), _m(&acc, "realized_profit_to_loss_ratio")), + realized_profit_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "realized_profit_rel_to_realized_cap"), + ), + realized_profit_to_loss_ratio: MetricPattern6::new( + client.clone(), + _m(&acc, "realized_profit_to_loss_ratio"), + ), realized_value: MetricPattern1::new(client.clone(), _m(&acc, "realized_value")), - sell_side_risk_ratio: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio")), - sell_side_risk_ratio_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio_30d_ema")), - sell_side_risk_ratio_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio_7d_ema")), + sell_side_risk_ratio: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio"), + ), + sell_side_risk_ratio_30d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio_30d_ema"), + ), + sell_side_risk_ratio_7d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio_7d_ema"), + ), sopr: MetricPattern6::new(client.clone(), _m(&acc, "sopr")), sopr_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sopr_30d_ema")), sopr_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sopr_7d_ema")), @@ -2361,29 +2595,80 @@ impl RealizedPattern4 { pub fn new(client: Arc, acc: String) -> Self { Self { adjusted_sopr: MetricPattern6::new(client.clone(), _m(&acc, "adjusted_sopr")), - adjusted_sopr_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "adjusted_sopr_30d_ema")), - adjusted_sopr_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "adjusted_sopr_7d_ema")), - adjusted_value_created: MetricPattern1::new(client.clone(), _m(&acc, "adjusted_value_created")), - adjusted_value_destroyed: MetricPattern1::new(client.clone(), _m(&acc, "adjusted_value_destroyed")), + adjusted_sopr_30d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "adjusted_sopr_30d_ema"), + ), + adjusted_sopr_7d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "adjusted_sopr_7d_ema"), + ), + adjusted_value_created: MetricPattern1::new( + client.clone(), + _m(&acc, "adjusted_value_created"), + ), + adjusted_value_destroyed: MetricPattern1::new( + client.clone(), + _m(&acc, "adjusted_value_destroyed"), + ), mvrv: MetricPattern4::new(client.clone(), _m(&acc, "mvrv")), neg_realized_loss: BitcoinPattern2::new(client.clone(), _m(&acc, "neg_realized_loss")), net_realized_pnl: BlockCountPattern::new(client.clone(), _m(&acc, "net_realized_pnl")), - net_realized_pnl_cumulative_30d_delta: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta")), - net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap")), - net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap")), - net_realized_pnl_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "net_realized_pnl_rel_to_realized_cap")), + net_realized_pnl_cumulative_30d_delta: MetricPattern4::new( + client.clone(), + _m(&acc, "net_realized_pnl_cumulative_30d_delta"), + ), + net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4::new( + client.clone(), + _m( + &acc, + "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap", + ), + ), + net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4::new( + client.clone(), + _m( + &acc, + "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap", + ), + ), + net_realized_pnl_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "net_realized_pnl_rel_to_realized_cap"), + ), realized_cap: MetricPattern1::new(client.clone(), _m(&acc, "realized_cap")), - realized_cap_30d_delta: MetricPattern4::new(client.clone(), _m(&acc, "realized_cap_30d_delta")), + realized_cap_30d_delta: MetricPattern4::new( + client.clone(), + _m(&acc, "realized_cap_30d_delta"), + ), realized_loss: BlockCountPattern::new(client.clone(), _m(&acc, "realized_loss")), - realized_loss_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "realized_loss_rel_to_realized_cap")), + realized_loss_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "realized_loss_rel_to_realized_cap"), + ), realized_price: MetricPattern1::new(client.clone(), _m(&acc, "realized_price")), - realized_price_extra: RealizedPriceExtraPattern::new(client.clone(), _m(&acc, "realized_price_ratio")), + realized_price_extra: RealizedPriceExtraPattern::new( + client.clone(), + _m(&acc, "realized_price_ratio"), + ), realized_profit: BlockCountPattern::new(client.clone(), _m(&acc, "realized_profit")), - realized_profit_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "realized_profit_rel_to_realized_cap")), + realized_profit_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "realized_profit_rel_to_realized_cap"), + ), realized_value: MetricPattern1::new(client.clone(), _m(&acc, "realized_value")), - sell_side_risk_ratio: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio")), - sell_side_risk_ratio_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio_30d_ema")), - sell_side_risk_ratio_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio_7d_ema")), + sell_side_risk_ratio: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio"), + ), + sell_side_risk_ratio_30d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio_30d_ema"), + ), + sell_side_risk_ratio_7d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio_7d_ema"), + ), sopr: MetricPattern6::new(client.clone(), _m(&acc, "sopr")), sopr_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sopr_30d_ema")), sopr_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sopr_7d_ema")), @@ -2500,24 +2785,69 @@ impl RealizedPattern2 { mvrv: MetricPattern4::new(client.clone(), _m(&acc, "mvrv")), neg_realized_loss: BitcoinPattern2::new(client.clone(), _m(&acc, "neg_realized_loss")), net_realized_pnl: BlockCountPattern::new(client.clone(), _m(&acc, "net_realized_pnl")), - net_realized_pnl_cumulative_30d_delta: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta")), - net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap")), - net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap")), - net_realized_pnl_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "net_realized_pnl_rel_to_realized_cap")), + net_realized_pnl_cumulative_30d_delta: MetricPattern4::new( + client.clone(), + _m(&acc, "net_realized_pnl_cumulative_30d_delta"), + ), + net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4::new( + client.clone(), + _m( + &acc, + "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap", + ), + ), + net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4::new( + client.clone(), + _m( + &acc, + "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap", + ), + ), + net_realized_pnl_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "net_realized_pnl_rel_to_realized_cap"), + ), realized_cap: MetricPattern1::new(client.clone(), _m(&acc, "realized_cap")), - realized_cap_30d_delta: MetricPattern4::new(client.clone(), _m(&acc, "realized_cap_30d_delta")), - realized_cap_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "realized_cap_rel_to_own_market_cap")), + realized_cap_30d_delta: MetricPattern4::new( + client.clone(), + _m(&acc, "realized_cap_30d_delta"), + ), + realized_cap_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "realized_cap_rel_to_own_market_cap"), + ), realized_loss: BlockCountPattern::new(client.clone(), _m(&acc, "realized_loss")), - realized_loss_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "realized_loss_rel_to_realized_cap")), + realized_loss_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "realized_loss_rel_to_realized_cap"), + ), realized_price: MetricPattern1::new(client.clone(), _m(&acc, "realized_price")), - realized_price_extra: ActivePriceRatioPattern::new(client.clone(), _m(&acc, "realized_price_ratio")), + realized_price_extra: ActivePriceRatioPattern::new( + client.clone(), + _m(&acc, "realized_price_ratio"), + ), realized_profit: BlockCountPattern::new(client.clone(), _m(&acc, "realized_profit")), - realized_profit_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "realized_profit_rel_to_realized_cap")), - realized_profit_to_loss_ratio: MetricPattern6::new(client.clone(), _m(&acc, "realized_profit_to_loss_ratio")), + realized_profit_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "realized_profit_rel_to_realized_cap"), + ), + realized_profit_to_loss_ratio: MetricPattern6::new( + client.clone(), + _m(&acc, "realized_profit_to_loss_ratio"), + ), realized_value: MetricPattern1::new(client.clone(), _m(&acc, "realized_value")), - sell_side_risk_ratio: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio")), - sell_side_risk_ratio_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio_30d_ema")), - sell_side_risk_ratio_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio_7d_ema")), + sell_side_risk_ratio: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio"), + ), + sell_side_risk_ratio_30d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio_30d_ema"), + ), + sell_side_risk_ratio_7d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio_7d_ema"), + ), sopr: MetricPattern6::new(client.clone(), _m(&acc, "sopr")), sopr_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sopr_30d_ema")), sopr_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sopr_7d_ema")), @@ -2564,22 +2894,61 @@ impl RealizedPattern { mvrv: MetricPattern4::new(client.clone(), _m(&acc, "mvrv")), neg_realized_loss: BitcoinPattern2::new(client.clone(), _m(&acc, "neg_realized_loss")), net_realized_pnl: BlockCountPattern::new(client.clone(), _m(&acc, "net_realized_pnl")), - net_realized_pnl_cumulative_30d_delta: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta")), - net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap")), - net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4::new(client.clone(), _m(&acc, "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap")), - net_realized_pnl_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "net_realized_pnl_rel_to_realized_cap")), + net_realized_pnl_cumulative_30d_delta: MetricPattern4::new( + client.clone(), + _m(&acc, "net_realized_pnl_cumulative_30d_delta"), + ), + net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4::new( + client.clone(), + _m( + &acc, + "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap", + ), + ), + net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4::new( + client.clone(), + _m( + &acc, + "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap", + ), + ), + net_realized_pnl_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "net_realized_pnl_rel_to_realized_cap"), + ), realized_cap: MetricPattern1::new(client.clone(), _m(&acc, "realized_cap")), - realized_cap_30d_delta: MetricPattern4::new(client.clone(), _m(&acc, "realized_cap_30d_delta")), + realized_cap_30d_delta: MetricPattern4::new( + client.clone(), + _m(&acc, "realized_cap_30d_delta"), + ), realized_loss: BlockCountPattern::new(client.clone(), _m(&acc, "realized_loss")), - realized_loss_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "realized_loss_rel_to_realized_cap")), + realized_loss_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "realized_loss_rel_to_realized_cap"), + ), realized_price: MetricPattern1::new(client.clone(), _m(&acc, "realized_price")), - realized_price_extra: RealizedPriceExtraPattern::new(client.clone(), _m(&acc, "realized_price_ratio")), + realized_price_extra: RealizedPriceExtraPattern::new( + client.clone(), + _m(&acc, "realized_price_ratio"), + ), realized_profit: BlockCountPattern::new(client.clone(), _m(&acc, "realized_profit")), - realized_profit_rel_to_realized_cap: BlockCountPattern::new(client.clone(), _m(&acc, "realized_profit_rel_to_realized_cap")), + realized_profit_rel_to_realized_cap: BlockCountPattern::new( + client.clone(), + _m(&acc, "realized_profit_rel_to_realized_cap"), + ), realized_value: MetricPattern1::new(client.clone(), _m(&acc, "realized_value")), - sell_side_risk_ratio: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio")), - sell_side_risk_ratio_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio_30d_ema")), - sell_side_risk_ratio_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sell_side_risk_ratio_7d_ema")), + sell_side_risk_ratio: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio"), + ), + sell_side_risk_ratio_30d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio_30d_ema"), + ), + sell_side_risk_ratio_7d_ema: MetricPattern6::new( + client.clone(), + _m(&acc, "sell_side_risk_ratio_7d_ema"), + ), sopr: MetricPattern6::new(client.clone(), _m(&acc, "sopr")), sopr_30d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sopr_30d_ema")), sopr_7d_ema: MetricPattern6::new(client.clone(), _m(&acc, "sopr_7d_ema")), @@ -2768,24 +3137,75 @@ impl RelativePattern5 { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { - neg_unrealized_loss_rel_to_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "neg_unrealized_loss_rel_to_market_cap")), - neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "neg_unrealized_loss_rel_to_own_market_cap")), - neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "neg_unrealized_loss_rel_to_own_total_unrealized_pnl")), - net_unrealized_pnl_rel_to_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "net_unrealized_pnl_rel_to_market_cap")), - net_unrealized_pnl_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "net_unrealized_pnl_rel_to_own_market_cap")), - net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "net_unrealized_pnl_rel_to_own_total_unrealized_pnl")), + neg_unrealized_loss_rel_to_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "neg_unrealized_loss_rel_to_market_cap"), + ), + neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "neg_unrealized_loss_rel_to_own_market_cap"), + ), + neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "neg_unrealized_loss_rel_to_own_total_unrealized_pnl"), + ), + net_unrealized_pnl_rel_to_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "net_unrealized_pnl_rel_to_market_cap"), + ), + net_unrealized_pnl_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "net_unrealized_pnl_rel_to_own_market_cap"), + ), + net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "net_unrealized_pnl_rel_to_own_total_unrealized_pnl"), + ), nupl: MetricPattern1::new(client.clone(), _m(&acc, "nupl")), - supply_in_loss_rel_to_circulating_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_loss_rel_to_circulating_supply")), - supply_in_loss_rel_to_own_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_loss_rel_to_own_supply")), - supply_in_profit_rel_to_circulating_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_profit_rel_to_circulating_supply")), - supply_in_profit_rel_to_own_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_profit_rel_to_own_supply")), - supply_rel_to_circulating_supply: MetricPattern4::new(client.clone(), _m(&acc, "supply_rel_to_circulating_supply")), - unrealized_loss_rel_to_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_loss_rel_to_market_cap")), - unrealized_loss_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_loss_rel_to_own_market_cap")), - unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_loss_rel_to_own_total_unrealized_pnl")), - unrealized_profit_rel_to_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_profit_rel_to_market_cap")), - unrealized_profit_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_profit_rel_to_own_market_cap")), - unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_profit_rel_to_own_total_unrealized_pnl")), + supply_in_loss_rel_to_circulating_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_loss_rel_to_circulating_supply"), + ), + supply_in_loss_rel_to_own_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_loss_rel_to_own_supply"), + ), + supply_in_profit_rel_to_circulating_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_profit_rel_to_circulating_supply"), + ), + supply_in_profit_rel_to_own_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_profit_rel_to_own_supply"), + ), + supply_rel_to_circulating_supply: MetricPattern4::new( + client.clone(), + _m(&acc, "supply_rel_to_circulating_supply"), + ), + unrealized_loss_rel_to_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_loss_rel_to_market_cap"), + ), + unrealized_loss_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_loss_rel_to_own_market_cap"), + ), + unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_loss_rel_to_own_total_unrealized_pnl"), + ), + unrealized_profit_rel_to_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_profit_rel_to_market_cap"), + ), + unrealized_profit_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_profit_rel_to_own_market_cap"), + ), + unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_profit_rel_to_own_total_unrealized_pnl"), + ), } } } @@ -2831,7 +3251,7 @@ impl AaopoolPattern { } /// Pattern struct for repeated tree structure. -pub struct PriceAgoPattern { +pub struct LookbackPattern { pub _10y: MetricPattern4, pub _1d: MetricPattern4, pub _1m: MetricPattern4, @@ -2847,7 +3267,7 @@ pub struct PriceAgoPattern { pub _8y: MetricPattern4, } -impl PriceAgoPattern { +impl LookbackPattern { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { @@ -2993,17 +3413,17 @@ impl ClassAveragePricePattern { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { - _2015: MetricPattern4::new(client.clone(), _m(&acc, "2015_returns")), - _2016: MetricPattern4::new(client.clone(), _m(&acc, "2016_returns")), - _2017: MetricPattern4::new(client.clone(), _m(&acc, "2017_returns")), - _2018: MetricPattern4::new(client.clone(), _m(&acc, "2018_returns")), - _2019: MetricPattern4::new(client.clone(), _m(&acc, "2019_returns")), - _2020: MetricPattern4::new(client.clone(), _m(&acc, "2020_returns")), - _2021: MetricPattern4::new(client.clone(), _m(&acc, "2021_returns")), - _2022: MetricPattern4::new(client.clone(), _m(&acc, "2022_returns")), - _2023: MetricPattern4::new(client.clone(), _m(&acc, "2023_returns")), - _2024: MetricPattern4::new(client.clone(), _m(&acc, "2024_returns")), - _2025: MetricPattern4::new(client.clone(), _m(&acc, "2025_returns")), + _2015: MetricPattern4::new(client.clone(), _m(&acc, "2015_average_price")), + _2016: MetricPattern4::new(client.clone(), _m(&acc, "2016_average_price")), + _2017: MetricPattern4::new(client.clone(), _m(&acc, "2017_average_price")), + _2018: MetricPattern4::new(client.clone(), _m(&acc, "2018_average_price")), + _2019: MetricPattern4::new(client.clone(), _m(&acc, "2019_average_price")), + _2020: MetricPattern4::new(client.clone(), _m(&acc, "2020_average_price")), + _2021: MetricPattern4::new(client.clone(), _m(&acc, "2021_average_price")), + _2022: MetricPattern4::new(client.clone(), _m(&acc, "2022_average_price")), + _2023: MetricPattern4::new(client.clone(), _m(&acc, "2023_average_price")), + _2024: MetricPattern4::new(client.clone(), _m(&acc, "2024_average_price")), + _2025: MetricPattern4::new(client.clone(), _m(&acc, "2025_average_price")), } } } @@ -3042,38 +3462,6 @@ impl DollarsPattern { } } -/// Pattern struct for repeated tree structure. -pub struct RelativePattern { - pub neg_unrealized_loss_rel_to_market_cap: MetricPattern1, - pub net_unrealized_pnl_rel_to_market_cap: MetricPattern1, - pub nupl: MetricPattern1, - pub supply_in_loss_rel_to_circulating_supply: MetricPattern1, - pub supply_in_loss_rel_to_own_supply: MetricPattern1, - pub supply_in_profit_rel_to_circulating_supply: MetricPattern1, - pub supply_in_profit_rel_to_own_supply: MetricPattern1, - pub supply_rel_to_circulating_supply: MetricPattern4, - pub unrealized_loss_rel_to_market_cap: MetricPattern1, - pub unrealized_profit_rel_to_market_cap: MetricPattern1, -} - -impl RelativePattern { - /// Create a new pattern node with accumulated metric name. - pub fn new(client: Arc, acc: String) -> Self { - Self { - neg_unrealized_loss_rel_to_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "neg_unrealized_loss_rel_to_market_cap")), - net_unrealized_pnl_rel_to_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "net_unrealized_pnl_rel_to_market_cap")), - nupl: MetricPattern1::new(client.clone(), _m(&acc, "nupl")), - supply_in_loss_rel_to_circulating_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_loss_rel_to_circulating_supply")), - supply_in_loss_rel_to_own_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_loss_rel_to_own_supply")), - supply_in_profit_rel_to_circulating_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_profit_rel_to_circulating_supply")), - supply_in_profit_rel_to_own_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_profit_rel_to_own_supply")), - supply_rel_to_circulating_supply: MetricPattern4::new(client.clone(), _m(&acc, "supply_rel_to_circulating_supply")), - unrealized_loss_rel_to_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_loss_rel_to_market_cap")), - unrealized_profit_rel_to_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_profit_rel_to_market_cap")), - } - } -} - /// Pattern struct for repeated tree structure. pub struct RelativePattern2 { pub neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1, @@ -3092,16 +3480,105 @@ impl RelativePattern2 { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { - neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "neg_unrealized_loss_rel_to_own_market_cap")), - neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "neg_unrealized_loss_rel_to_own_total_unrealized_pnl")), - net_unrealized_pnl_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "net_unrealized_pnl_rel_to_own_market_cap")), - net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "net_unrealized_pnl_rel_to_own_total_unrealized_pnl")), - supply_in_loss_rel_to_own_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_loss_rel_to_own_supply")), - supply_in_profit_rel_to_own_supply: MetricPattern1::new(client.clone(), _m(&acc, "supply_in_profit_rel_to_own_supply")), - unrealized_loss_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_loss_rel_to_own_market_cap")), - unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_loss_rel_to_own_total_unrealized_pnl")), - unrealized_profit_rel_to_own_market_cap: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_profit_rel_to_own_market_cap")), - unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_profit_rel_to_own_total_unrealized_pnl")), + neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "neg_unrealized_loss_rel_to_own_market_cap"), + ), + neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "neg_unrealized_loss_rel_to_own_total_unrealized_pnl"), + ), + net_unrealized_pnl_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "net_unrealized_pnl_rel_to_own_market_cap"), + ), + net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "net_unrealized_pnl_rel_to_own_total_unrealized_pnl"), + ), + supply_in_loss_rel_to_own_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_loss_rel_to_own_supply"), + ), + supply_in_profit_rel_to_own_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_profit_rel_to_own_supply"), + ), + unrealized_loss_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_loss_rel_to_own_market_cap"), + ), + unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_loss_rel_to_own_total_unrealized_pnl"), + ), + unrealized_profit_rel_to_own_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_profit_rel_to_own_market_cap"), + ), + unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_profit_rel_to_own_total_unrealized_pnl"), + ), + } + } +} + +/// Pattern struct for repeated tree structure. +pub struct RelativePattern { + pub neg_unrealized_loss_rel_to_market_cap: MetricPattern1, + pub net_unrealized_pnl_rel_to_market_cap: MetricPattern1, + pub nupl: MetricPattern1, + pub supply_in_loss_rel_to_circulating_supply: MetricPattern1, + pub supply_in_loss_rel_to_own_supply: MetricPattern1, + pub supply_in_profit_rel_to_circulating_supply: MetricPattern1, + pub supply_in_profit_rel_to_own_supply: MetricPattern1, + pub supply_rel_to_circulating_supply: MetricPattern4, + pub unrealized_loss_rel_to_market_cap: MetricPattern1, + pub unrealized_profit_rel_to_market_cap: MetricPattern1, +} + +impl RelativePattern { + /// Create a new pattern node with accumulated metric name. + pub fn new(client: Arc, acc: String) -> Self { + Self { + neg_unrealized_loss_rel_to_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "neg_unrealized_loss_rel_to_market_cap"), + ), + net_unrealized_pnl_rel_to_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "net_unrealized_pnl_rel_to_market_cap"), + ), + nupl: MetricPattern1::new(client.clone(), _m(&acc, "nupl")), + supply_in_loss_rel_to_circulating_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_loss_rel_to_circulating_supply"), + ), + supply_in_loss_rel_to_own_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_loss_rel_to_own_supply"), + ), + supply_in_profit_rel_to_circulating_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_profit_rel_to_circulating_supply"), + ), + supply_in_profit_rel_to_own_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "supply_in_profit_rel_to_own_supply"), + ), + supply_rel_to_circulating_supply: MetricPattern4::new( + client.clone(), + _m(&acc, "supply_rel_to_circulating_supply"), + ), + unrealized_loss_rel_to_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_loss_rel_to_market_cap"), + ), + unrealized_profit_rel_to_market_cap: MetricPattern1::new( + client.clone(), + _m(&acc, "unrealized_profit_rel_to_market_cap"), + ), } } } @@ -3168,36 +3645,6 @@ impl AddrCountPattern { } } -/// Pattern struct for repeated tree structure. -pub struct FeeRatePattern { - pub average: MetricPattern1, - pub max: MetricPattern1, - pub median: MetricPattern11, - pub min: MetricPattern1, - pub pct10: MetricPattern11, - pub pct25: MetricPattern11, - pub pct75: MetricPattern11, - pub pct90: MetricPattern11, - pub txindex: MetricPattern27, -} - -impl FeeRatePattern { - /// Create a new pattern node with accumulated metric name. - pub fn new(client: Arc, acc: String) -> Self { - Self { - average: MetricPattern1::new(client.clone(), _m(&acc, "average")), - max: MetricPattern1::new(client.clone(), _m(&acc, "max")), - median: MetricPattern11::new(client.clone(), _m(&acc, "median")), - min: MetricPattern1::new(client.clone(), _m(&acc, "min")), - pct10: MetricPattern11::new(client.clone(), _m(&acc, "pct10")), - pct25: MetricPattern11::new(client.clone(), _m(&acc, "pct25")), - pct75: MetricPattern11::new(client.clone(), _m(&acc, "pct75")), - pct90: MetricPattern11::new(client.clone(), _m(&acc, "pct90")), - txindex: MetricPattern27::new(client.clone(), acc.clone()), - } - } -} - /// Pattern struct for repeated tree structure. pub struct FullnessPattern { pub average: MetricPattern2, @@ -3228,6 +3675,36 @@ impl FullnessPattern { } } +/// Pattern struct for repeated tree structure. +pub struct FeeRatePattern { + pub average: MetricPattern1, + pub max: MetricPattern1, + pub median: MetricPattern11, + pub min: MetricPattern1, + pub pct10: MetricPattern11, + pub pct25: MetricPattern11, + pub pct75: MetricPattern11, + pub pct90: MetricPattern11, + pub txindex: MetricPattern27, +} + +impl FeeRatePattern { + /// Create a new pattern node with accumulated metric name. + pub fn new(client: Arc, acc: String) -> Self { + Self { + average: MetricPattern1::new(client.clone(), _m(&acc, "average")), + max: MetricPattern1::new(client.clone(), _m(&acc, "max")), + median: MetricPattern11::new(client.clone(), _m(&acc, "median")), + min: MetricPattern1::new(client.clone(), _m(&acc, "min")), + pct10: MetricPattern11::new(client.clone(), _m(&acc, "pct10")), + pct25: MetricPattern11::new(client.clone(), _m(&acc, "pct25")), + pct75: MetricPattern11::new(client.clone(), _m(&acc, "pct75")), + pct90: MetricPattern11::new(client.clone(), _m(&acc, "pct90")), + txindex: MetricPattern27::new(client.clone(), acc.clone()), + } + } +} + /// Pattern struct for repeated tree structure. pub struct _0satsPattern { pub activity: ActivityPattern2, @@ -3256,6 +3733,41 @@ impl _0satsPattern { } } +/// Pattern struct for repeated tree structure. +pub struct UnrealizedPattern { + pub neg_unrealized_loss: MetricPattern1, + pub net_unrealized_pnl: MetricPattern1, + pub supply_in_loss: ActiveSupplyPattern, + pub supply_in_profit: ActiveSupplyPattern, + pub total_unrealized_pnl: MetricPattern1, + pub unrealized_loss: MetricPattern1, + pub unrealized_profit: MetricPattern1, +} + +impl UnrealizedPattern { + /// Create a new pattern node with accumulated metric name. + pub fn new(client: Arc, acc: String) -> Self { + Self { + neg_unrealized_loss: MetricPattern1::new( + client.clone(), + _m(&acc, "neg_unrealized_loss"), + ), + net_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "net_unrealized_pnl")), + supply_in_loss: ActiveSupplyPattern::new(client.clone(), _m(&acc, "supply_in_loss")), + supply_in_profit: ActiveSupplyPattern::new( + client.clone(), + _m(&acc, "supply_in_profit"), + ), + total_unrealized_pnl: MetricPattern1::new( + client.clone(), + _m(&acc, "total_unrealized_pnl"), + ), + unrealized_loss: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_loss")), + unrealized_profit: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_profit")), + } + } +} + /// Pattern struct for repeated tree structure. pub struct _100btcPattern { pub activity: ActivityPattern2, @@ -3283,25 +3795,25 @@ impl _100btcPattern { } /// Pattern struct for repeated tree structure. -pub struct _10yTo12yPattern { +pub struct _10yPattern { pub activity: ActivityPattern2, - pub cost_basis: CostBasisPattern2, + pub cost_basis: CostBasisPattern, pub outputs: OutputsPattern, - pub realized: RealizedPattern2, - pub relative: RelativePattern2, + pub realized: RealizedPattern4, + pub relative: RelativePattern, pub supply: SupplyPattern2, pub unrealized: UnrealizedPattern, } -impl _10yTo12yPattern { +impl _10yPattern { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { activity: ActivityPattern2::new(client.clone(), acc.clone()), - cost_basis: CostBasisPattern2::new(client.clone(), acc.clone()), + cost_basis: CostBasisPattern::new(client.clone(), acc.clone()), outputs: OutputsPattern::new(client.clone(), _m(&acc, "utxo_count")), - realized: RealizedPattern2::new(client.clone(), acc.clone()), - relative: RelativePattern2::new(client.clone(), acc.clone()), + realized: RealizedPattern4::new(client.clone(), acc.clone()), + relative: RelativePattern::new(client.clone(), acc.clone()), supply: SupplyPattern2::new(client.clone(), _m(&acc, "supply")), unrealized: UnrealizedPattern::new(client.clone(), acc.clone()), } @@ -3361,51 +3873,25 @@ impl _0satsPattern2 { } /// Pattern struct for repeated tree structure. -pub struct UnrealizedPattern { - pub neg_unrealized_loss: MetricPattern1, - pub net_unrealized_pnl: MetricPattern1, - pub supply_in_loss: ActiveSupplyPattern, - pub supply_in_profit: ActiveSupplyPattern, - pub total_unrealized_pnl: MetricPattern1, - pub unrealized_loss: MetricPattern1, - pub unrealized_profit: MetricPattern1, -} - -impl UnrealizedPattern { - /// Create a new pattern node with accumulated metric name. - pub fn new(client: Arc, acc: String) -> Self { - Self { - neg_unrealized_loss: MetricPattern1::new(client.clone(), _m(&acc, "neg_unrealized_loss")), - net_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "net_unrealized_pnl")), - supply_in_loss: ActiveSupplyPattern::new(client.clone(), _m(&acc, "supply_in_loss")), - supply_in_profit: ActiveSupplyPattern::new(client.clone(), _m(&acc, "supply_in_profit")), - total_unrealized_pnl: MetricPattern1::new(client.clone(), _m(&acc, "total_unrealized_pnl")), - unrealized_loss: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_loss")), - unrealized_profit: MetricPattern1::new(client.clone(), _m(&acc, "unrealized_profit")), - } - } -} - -/// Pattern struct for repeated tree structure. -pub struct _10yPattern { +pub struct _10yTo12yPattern { pub activity: ActivityPattern2, - pub cost_basis: CostBasisPattern, + pub cost_basis: CostBasisPattern2, pub outputs: OutputsPattern, - pub realized: RealizedPattern4, - pub relative: RelativePattern, + pub realized: RealizedPattern2, + pub relative: RelativePattern2, pub supply: SupplyPattern2, pub unrealized: UnrealizedPattern, } -impl _10yPattern { +impl _10yTo12yPattern { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { activity: ActivityPattern2::new(client.clone(), acc.clone()), - cost_basis: CostBasisPattern::new(client.clone(), acc.clone()), + cost_basis: CostBasisPattern2::new(client.clone(), acc.clone()), outputs: OutputsPattern::new(client.clone(), _m(&acc, "utxo_count")), - realized: RealizedPattern4::new(client.clone(), acc.clone()), - relative: RelativePattern::new(client.clone(), acc.clone()), + realized: RealizedPattern2::new(client.clone(), acc.clone()), + relative: RelativePattern2::new(client.clone(), acc.clone()), supply: SupplyPattern2::new(client.clone(), _m(&acc, "supply")), unrealized: UnrealizedPattern::new(client.clone(), acc.clone()), } @@ -3425,9 +3911,18 @@ impl ActivityPattern2 { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { - coinblocks_destroyed: BlockCountPattern::new(client.clone(), _m(&acc, "coinblocks_destroyed")), - coindays_destroyed: BlockCountPattern::new(client.clone(), _m(&acc, "coindays_destroyed")), - satblocks_destroyed: MetricPattern11::new(client.clone(), _m(&acc, "satblocks_destroyed")), + coinblocks_destroyed: BlockCountPattern::new( + client.clone(), + _m(&acc, "coinblocks_destroyed"), + ), + coindays_destroyed: BlockCountPattern::new( + client.clone(), + _m(&acc, "coindays_destroyed"), + ), + satblocks_destroyed: MetricPattern11::new( + client.clone(), + _m(&acc, "satblocks_destroyed"), + ), satdays_destroyed: MetricPattern11::new(client.clone(), _m(&acc, "satdays_destroyed")), sent: UnclaimedRewardsPattern::new(client.clone(), _m(&acc, "sent")), } @@ -3454,60 +3949,6 @@ impl SplitPattern2 { } } -/// Pattern struct for repeated tree structure. -pub struct ActiveSupplyPattern { - pub bitcoin: MetricPattern1, - pub dollars: MetricPattern1, - pub sats: MetricPattern1, -} - -impl ActiveSupplyPattern { - /// Create a new pattern node with accumulated metric name. - pub fn new(client: Arc, acc: String) -> Self { - Self { - bitcoin: MetricPattern1::new(client.clone(), _m(&acc, "btc")), - dollars: MetricPattern1::new(client.clone(), _m(&acc, "usd")), - sats: MetricPattern1::new(client.clone(), acc.clone()), - } - } -} - -/// Pattern struct for repeated tree structure. -pub struct CoinbasePattern { - pub bitcoin: BitcoinPattern, - pub dollars: DollarsPattern, - pub sats: DollarsPattern, -} - -impl CoinbasePattern { - /// Create a new pattern node with accumulated metric name. - pub fn new(client: Arc, acc: String) -> Self { - Self { - bitcoin: BitcoinPattern::new(client.clone(), _m(&acc, "btc")), - dollars: DollarsPattern::new(client.clone(), _m(&acc, "usd")), - sats: DollarsPattern::new(client.clone(), acc.clone()), - } - } -} - -/// Pattern struct for repeated tree structure. -pub struct CoinbasePattern2 { - pub bitcoin: BlockCountPattern, - pub dollars: BlockCountPattern, - pub sats: BlockCountPattern, -} - -impl CoinbasePattern2 { - /// Create a new pattern node with accumulated metric name. - pub fn new(client: Arc, acc: String) -> Self { - Self { - bitcoin: BlockCountPattern::new(client.clone(), _m(&acc, "btc")), - dollars: BlockCountPattern::new(client.clone(), _m(&acc, "usd")), - sats: BlockCountPattern::new(client.clone(), acc.clone()), - } - } -} - /// Pattern struct for repeated tree structure. pub struct SegwitAdoptionPattern { pub base: MetricPattern11, @@ -3544,6 +3985,24 @@ impl CostBasisPattern2 { } } +/// Pattern struct for repeated tree structure. +pub struct ActiveSupplyPattern { + pub bitcoin: MetricPattern1, + pub dollars: MetricPattern1, + pub sats: MetricPattern1, +} + +impl ActiveSupplyPattern { + /// Create a new pattern node with accumulated metric name. + pub fn new(client: Arc, acc: String) -> Self { + Self { + bitcoin: MetricPattern1::new(client.clone(), _m(&acc, "btc")), + dollars: MetricPattern1::new(client.clone(), _m(&acc, "usd")), + sats: MetricPattern1::new(client.clone(), acc.clone()), + } + } +} + /// Pattern struct for repeated tree structure. pub struct UnclaimedRewardsPattern { pub bitcoin: BitcoinPattern2, @@ -3581,17 +4040,37 @@ impl _2015Pattern { } /// Pattern struct for repeated tree structure. -pub struct _1dReturns1mSdPattern { - pub sd: MetricPattern4, - pub sma: MetricPattern4, +pub struct CoinbasePattern { + pub bitcoin: BitcoinPattern, + pub dollars: DollarsPattern, + pub sats: DollarsPattern, } -impl _1dReturns1mSdPattern { +impl CoinbasePattern { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { - sd: MetricPattern4::new(client.clone(), _m(&acc, "sd")), - sma: MetricPattern4::new(client.clone(), _m(&acc, "sma")), + bitcoin: BitcoinPattern::new(client.clone(), _m(&acc, "btc")), + dollars: DollarsPattern::new(client.clone(), _m(&acc, "usd")), + sats: DollarsPattern::new(client.clone(), acc.clone()), + } + } +} + +/// Pattern struct for repeated tree structure. +pub struct CoinbasePattern2 { + pub bitcoin: BlockCountPattern, + pub dollars: BlockCountPattern, + pub sats: BlockCountPattern, +} + +impl CoinbasePattern2 { + /// Create a new pattern node with accumulated metric name. + pub fn new(client: Arc, acc: String) -> Self { + Self { + bitcoin: BlockCountPattern::new(client.clone(), _m(&acc, "btc")), + dollars: BlockCountPattern::new(client.clone(), _m(&acc, "usd")), + sats: BlockCountPattern::new(client.clone(), acc.clone()), } } } @@ -3606,8 +4085,46 @@ impl RelativePattern4 { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { - supply_in_loss_rel_to_own_supply: MetricPattern1::new(client.clone(), _m(&acc, "loss_rel_to_own_supply")), - supply_in_profit_rel_to_own_supply: MetricPattern1::new(client.clone(), _m(&acc, "profit_rel_to_own_supply")), + supply_in_loss_rel_to_own_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "loss_rel_to_own_supply"), + ), + supply_in_profit_rel_to_own_supply: MetricPattern1::new( + client.clone(), + _m(&acc, "profit_rel_to_own_supply"), + ), + } + } +} + +/// Pattern struct for repeated tree structure. +pub struct CostBasisPattern { + pub max: MetricPattern1, + pub min: MetricPattern1, +} + +impl CostBasisPattern { + /// Create a new pattern node with accumulated metric name. + pub fn new(client: Arc, acc: String) -> Self { + Self { + max: MetricPattern1::new(client.clone(), _m(&acc, "max_cost_basis")), + min: MetricPattern1::new(client.clone(), _m(&acc, "min_cost_basis")), + } + } +} + +/// Pattern struct for repeated tree structure. +pub struct _1dReturns1mSdPattern { + pub sd: MetricPattern4, + pub sma: MetricPattern4, +} + +impl _1dReturns1mSdPattern { + /// Create a new pattern node with accumulated metric name. + pub fn new(client: Arc, acc: String) -> Self { + Self { + sd: MetricPattern4::new(client.clone(), _m(&acc, "sd")), + sma: MetricPattern4::new(client.clone(), _m(&acc, "sma")), } } } @@ -3629,17 +4146,17 @@ impl SupplyPattern2 { } /// Pattern struct for repeated tree structure. -pub struct CostBasisPattern { - pub max: MetricPattern1, - pub min: MetricPattern1, +pub struct SatsPattern { + pub ohlc: MetricPattern1, + pub split: SplitPattern2, } -impl CostBasisPattern { +impl SatsPattern { /// Create a new pattern node with accumulated metric name. pub fn new(client: Arc, acc: String) -> Self { Self { - max: MetricPattern1::new(client.clone(), _m(&acc, "max_cost_basis")), - min: MetricPattern1::new(client.clone(), _m(&acc, "min_cost_basis")), + ohlc: MetricPattern1::new(client.clone(), _m(&acc, "ohlc_sats")), + split: SplitPattern2::new(client.clone(), _m(&acc, "sats")), } } } @@ -3676,22 +4193,6 @@ impl BitcoinPattern2 { } } -/// Pattern struct for repeated tree structure. -pub struct SatsPattern { - pub ohlc: MetricPattern1, - pub split: SplitPattern2, -} - -impl SatsPattern { - /// Create a new pattern node with accumulated metric name. - pub fn new(client: Arc, acc: String) -> Self { - Self { - ohlc: MetricPattern1::new(client.clone(), _m(&acc, "ohlc_sats")), - split: SplitPattern2::new(client.clone(), _m(&acc, "sats")), - } - } -} - /// Pattern struct for repeated tree structure. pub struct RealizedPriceExtraPattern { pub ratio: MetricPattern4, @@ -3748,7 +4249,10 @@ impl MetricsTree { blocks: MetricsTree_Blocks::new(client.clone(), format!("{base_path}_blocks")), cointime: MetricsTree_Cointime::new(client.clone(), format!("{base_path}_cointime")), constants: MetricsTree_Constants::new(client.clone(), format!("{base_path}_constants")), - distribution: MetricsTree_Distribution::new(client.clone(), format!("{base_path}_distribution")), + distribution: MetricsTree_Distribution::new( + client.clone(), + format!("{base_path}_distribution"), + ), indexes: MetricsTree_Indexes::new(client.clone(), format!("{base_path}_indexes")), inputs: MetricsTree_Inputs::new(client.clone(), format!("{base_path}_inputs")), market: MetricsTree_Market::new(client.clone(), format!("{base_path}_market")), @@ -3758,7 +4262,10 @@ impl MetricsTree { price: MetricsTree_Price::new(client.clone(), format!("{base_path}_price")), scripts: MetricsTree_Scripts::new(client.clone(), format!("{base_path}_scripts")), supply: MetricsTree_Supply::new(client.clone(), format!("{base_path}_supply")), - transactions: MetricsTree_Transactions::new(client.clone(), format!("{base_path}_transactions")), + transactions: MetricsTree_Transactions::new( + client.clone(), + format!("{base_path}_transactions"), + ), } } } @@ -3786,14 +4293,38 @@ pub struct MetricsTree_Addresses { impl MetricsTree_Addresses { pub fn new(client: Arc, base_path: String) -> Self { Self { - first_p2aaddressindex: MetricPattern11::new(client.clone(), "first_p2aaddressindex".to_string()), - first_p2pk33addressindex: MetricPattern11::new(client.clone(), "first_p2pk33addressindex".to_string()), - first_p2pk65addressindex: MetricPattern11::new(client.clone(), "first_p2pk65addressindex".to_string()), - first_p2pkhaddressindex: MetricPattern11::new(client.clone(), "first_p2pkhaddressindex".to_string()), - first_p2shaddressindex: MetricPattern11::new(client.clone(), "first_p2shaddressindex".to_string()), - first_p2traddressindex: MetricPattern11::new(client.clone(), "first_p2traddressindex".to_string()), - first_p2wpkhaddressindex: MetricPattern11::new(client.clone(), "first_p2wpkhaddressindex".to_string()), - first_p2wshaddressindex: MetricPattern11::new(client.clone(), "first_p2wshaddressindex".to_string()), + first_p2aaddressindex: MetricPattern11::new( + client.clone(), + "first_p2aaddressindex".to_string(), + ), + first_p2pk33addressindex: MetricPattern11::new( + client.clone(), + "first_p2pk33addressindex".to_string(), + ), + first_p2pk65addressindex: MetricPattern11::new( + client.clone(), + "first_p2pk65addressindex".to_string(), + ), + first_p2pkhaddressindex: MetricPattern11::new( + client.clone(), + "first_p2pkhaddressindex".to_string(), + ), + first_p2shaddressindex: MetricPattern11::new( + client.clone(), + "first_p2shaddressindex".to_string(), + ), + first_p2traddressindex: MetricPattern11::new( + client.clone(), + "first_p2traddressindex".to_string(), + ), + first_p2wpkhaddressindex: MetricPattern11::new( + client.clone(), + "first_p2wpkhaddressindex".to_string(), + ), + first_p2wshaddressindex: MetricPattern11::new( + client.clone(), + "first_p2wshaddressindex".to_string(), + ), p2abytes: MetricPattern16::new(client.clone(), "p2abytes".to_string()), p2pk33bytes: MetricPattern18::new(client.clone(), "p2pk33bytes".to_string()), p2pk65bytes: MetricPattern19::new(client.clone(), "p2pk65bytes".to_string()), @@ -3828,12 +4359,21 @@ impl MetricsTree_Blocks { Self { blockhash: MetricPattern11::new(client.clone(), "blockhash".to_string()), count: MetricsTree_Blocks_Count::new(client.clone(), format!("{base_path}_count")), - difficulty: MetricsTree_Blocks_Difficulty::new(client.clone(), format!("{base_path}_difficulty")), + difficulty: MetricsTree_Blocks_Difficulty::new( + client.clone(), + format!("{base_path}_difficulty"), + ), fullness: FullnessPattern::new(client.clone(), "block_fullness".to_string()), - halving: MetricsTree_Blocks_Halving::new(client.clone(), format!("{base_path}_halving")), + halving: MetricsTree_Blocks_Halving::new( + client.clone(), + format!("{base_path}_halving"), + ), interval: FullnessPattern::new(client.clone(), "block_interval".to_string()), mining: MetricsTree_Blocks_Mining::new(client.clone(), format!("{base_path}_mining")), - rewards: MetricsTree_Blocks_Rewards::new(client.clone(), format!("{base_path}_rewards")), + rewards: MetricsTree_Blocks_Rewards::new( + client.clone(), + format!("{base_path}_rewards"), + ), size: MetricsTree_Blocks_Size::new(client.clone(), format!("{base_path}_size")), time: MetricsTree_Blocks_Time::new(client.clone(), format!("{base_path}_time")), total_size: MetricPattern11::new(client.clone(), "total_size".to_string()), @@ -3869,7 +4409,10 @@ impl MetricsTree_Blocks_Count { _24h_block_count: MetricPattern1::new(client.clone(), "24h_block_count".to_string()), _24h_start: MetricPattern11::new(client.clone(), "24h_start".to_string()), block_count: BlockCountPattern::new(client.clone(), "block_count".to_string()), - block_count_target: MetricPattern4::new(client.clone(), "block_count_target".to_string()), + block_count_target: MetricPattern4::new( + client.clone(), + "block_count_target".to_string(), + ), } } } @@ -3889,8 +4432,14 @@ impl MetricsTree_Blocks_Difficulty { Self { adjustment: MetricPattern1::new(client.clone(), "difficulty_adjustment".to_string()), as_hash: MetricPattern1::new(client.clone(), "difficulty_as_hash".to_string()), - blocks_before_next_adjustment: MetricPattern1::new(client.clone(), "blocks_before_next_difficulty_adjustment".to_string()), - days_before_next_adjustment: MetricPattern1::new(client.clone(), "days_before_next_difficulty_adjustment".to_string()), + blocks_before_next_adjustment: MetricPattern1::new( + client.clone(), + "blocks_before_next_difficulty_adjustment".to_string(), + ), + days_before_next_adjustment: MetricPattern1::new( + client.clone(), + "days_before_next_difficulty_adjustment".to_string(), + ), epoch: MetricPattern4::new(client.clone(), "difficultyepoch".to_string()), raw: MetricPattern1::new(client.clone(), "difficulty".to_string()), } @@ -3907,8 +4456,14 @@ pub struct MetricsTree_Blocks_Halving { impl MetricsTree_Blocks_Halving { pub fn new(client: Arc, base_path: String) -> Self { Self { - blocks_before_next_halving: MetricPattern1::new(client.clone(), "blocks_before_next_halving".to_string()), - days_before_next_halving: MetricPattern1::new(client.clone(), "days_before_next_halving".to_string()), + blocks_before_next_halving: MetricPattern1::new( + client.clone(), + "blocks_before_next_halving".to_string(), + ), + days_before_next_halving: MetricPattern1::new( + client.clone(), + "days_before_next_halving".to_string(), + ), epoch: MetricPattern4::new(client.clone(), "halvingepoch".to_string()), } } @@ -3937,20 +4492,38 @@ impl MetricsTree_Blocks_Mining { pub fn new(client: Arc, base_path: String) -> Self { Self { hash_price_phs: MetricPattern1::new(client.clone(), "hash_price_phs".to_string()), - hash_price_phs_min: MetricPattern1::new(client.clone(), "hash_price_phs_min".to_string()), - hash_price_rebound: MetricPattern1::new(client.clone(), "hash_price_rebound".to_string()), + hash_price_phs_min: MetricPattern1::new( + client.clone(), + "hash_price_phs_min".to_string(), + ), + hash_price_rebound: MetricPattern1::new( + client.clone(), + "hash_price_rebound".to_string(), + ), hash_price_ths: MetricPattern1::new(client.clone(), "hash_price_ths".to_string()), - hash_price_ths_min: MetricPattern1::new(client.clone(), "hash_price_ths_min".to_string()), + hash_price_ths_min: MetricPattern1::new( + client.clone(), + "hash_price_ths_min".to_string(), + ), hash_rate: MetricPattern1::new(client.clone(), "hash_rate".to_string()), hash_rate_1m_sma: MetricPattern4::new(client.clone(), "hash_rate_1m_sma".to_string()), hash_rate_1w_sma: MetricPattern4::new(client.clone(), "hash_rate_1w_sma".to_string()), hash_rate_1y_sma: MetricPattern4::new(client.clone(), "hash_rate_1y_sma".to_string()), hash_rate_2m_sma: MetricPattern4::new(client.clone(), "hash_rate_2m_sma".to_string()), hash_value_phs: MetricPattern1::new(client.clone(), "hash_value_phs".to_string()), - hash_value_phs_min: MetricPattern1::new(client.clone(), "hash_value_phs_min".to_string()), - hash_value_rebound: MetricPattern1::new(client.clone(), "hash_value_rebound".to_string()), + hash_value_phs_min: MetricPattern1::new( + client.clone(), + "hash_value_phs_min".to_string(), + ), + hash_value_rebound: MetricPattern1::new( + client.clone(), + "hash_value_rebound".to_string(), + ), hash_value_ths: MetricPattern1::new(client.clone(), "hash_value_ths".to_string()), - hash_value_ths_min: MetricPattern1::new(client.clone(), "hash_value_ths_min".to_string()), + hash_value_ths_min: MetricPattern1::new( + client.clone(), + "hash_value_ths_min".to_string(), + ), } } } @@ -3969,13 +4542,22 @@ pub struct MetricsTree_Blocks_Rewards { impl MetricsTree_Blocks_Rewards { pub fn new(client: Arc, base_path: String) -> Self { Self { - _24h_coinbase_sum: MetricsTree_Blocks_Rewards_24hCoinbaseSum::new(client.clone(), format!("{base_path}_24h_coinbase_sum")), + _24h_coinbase_sum: MetricsTree_Blocks_Rewards_24hCoinbaseSum::new( + client.clone(), + format!("{base_path}_24h_coinbase_sum"), + ), coinbase: CoinbasePattern::new(client.clone(), "coinbase".to_string()), fee_dominance: MetricPattern6::new(client.clone(), "fee_dominance".to_string()), subsidy: CoinbasePattern::new(client.clone(), "subsidy".to_string()), subsidy_dominance: MetricPattern6::new(client.clone(), "subsidy_dominance".to_string()), - subsidy_usd_1y_sma: MetricPattern4::new(client.clone(), "subsidy_usd_1y_sma".to_string()), - unclaimed_rewards: UnclaimedRewardsPattern::new(client.clone(), "unclaimed_rewards".to_string()), + subsidy_usd_1y_sma: MetricPattern4::new( + client.clone(), + "subsidy_usd_1y_sma".to_string(), + ), + unclaimed_rewards: UnclaimedRewardsPattern::new( + client.clone(), + "unclaimed_rewards".to_string(), + ), } } } @@ -4040,7 +4622,10 @@ impl MetricsTree_Blocks_Time { Self { date: MetricPattern11::new(client.clone(), "date".to_string()), timestamp: MetricPattern1::new(client.clone(), "timestamp".to_string()), - timestamp_monotonic: MetricPattern11::new(client.clone(), "timestamp_monotonic".to_string()), + timestamp_monotonic: MetricPattern11::new( + client.clone(), + "timestamp_monotonic".to_string(), + ), } } } @@ -4058,10 +4643,19 @@ pub struct MetricsTree_Cointime { impl MetricsTree_Cointime { pub fn new(client: Arc, base_path: String) -> Self { Self { - activity: MetricsTree_Cointime_Activity::new(client.clone(), format!("{base_path}_activity")), - adjusted: MetricsTree_Cointime_Adjusted::new(client.clone(), format!("{base_path}_adjusted")), + activity: MetricsTree_Cointime_Activity::new( + client.clone(), + format!("{base_path}_activity"), + ), + adjusted: MetricsTree_Cointime_Adjusted::new( + client.clone(), + format!("{base_path}_adjusted"), + ), cap: MetricsTree_Cointime_Cap::new(client.clone(), format!("{base_path}_cap")), - pricing: MetricsTree_Cointime_Pricing::new(client.clone(), format!("{base_path}_pricing")), + pricing: MetricsTree_Cointime_Pricing::new( + client.clone(), + format!("{base_path}_pricing"), + ), supply: MetricsTree_Cointime_Supply::new(client.clone(), format!("{base_path}_supply")), value: MetricsTree_Cointime_Value::new(client.clone(), format!("{base_path}_value")), } @@ -4080,9 +4674,18 @@ pub struct MetricsTree_Cointime_Activity { impl MetricsTree_Cointime_Activity { pub fn new(client: Arc, base_path: String) -> Self { Self { - activity_to_vaultedness_ratio: MetricPattern1::new(client.clone(), "activity_to_vaultedness_ratio".to_string()), - coinblocks_created: BlockCountPattern::new(client.clone(), "coinblocks_created".to_string()), - coinblocks_stored: BlockCountPattern::new(client.clone(), "coinblocks_stored".to_string()), + activity_to_vaultedness_ratio: MetricPattern1::new( + client.clone(), + "activity_to_vaultedness_ratio".to_string(), + ), + coinblocks_created: BlockCountPattern::new( + client.clone(), + "coinblocks_created".to_string(), + ), + coinblocks_stored: BlockCountPattern::new( + client.clone(), + "coinblocks_stored".to_string(), + ), liveliness: MetricPattern1::new(client.clone(), "liveliness".to_string()), vaultedness: MetricPattern1::new(client.clone(), "vaultedness".to_string()), } @@ -4099,9 +4702,18 @@ pub struct MetricsTree_Cointime_Adjusted { impl MetricsTree_Cointime_Adjusted { pub fn new(client: Arc, base_path: String) -> Self { Self { - cointime_adj_inflation_rate: MetricPattern4::new(client.clone(), "cointime_adj_inflation_rate".to_string()), - cointime_adj_tx_btc_velocity: MetricPattern4::new(client.clone(), "cointime_adj_tx_btc_velocity".to_string()), - cointime_adj_tx_usd_velocity: MetricPattern4::new(client.clone(), "cointime_adj_tx_usd_velocity".to_string()), + cointime_adj_inflation_rate: MetricPattern4::new( + client.clone(), + "cointime_adj_inflation_rate".to_string(), + ), + cointime_adj_tx_btc_velocity: MetricPattern4::new( + client.clone(), + "cointime_adj_tx_btc_velocity".to_string(), + ), + cointime_adj_tx_usd_velocity: MetricPattern4::new( + client.clone(), + "cointime_adj_tx_usd_velocity".to_string(), + ), } } } @@ -4143,13 +4755,25 @@ impl MetricsTree_Cointime_Pricing { pub fn new(client: Arc, base_path: String) -> Self { Self { active_price: MetricPattern1::new(client.clone(), "active_price".to_string()), - active_price_ratio: ActivePriceRatioPattern::new(client.clone(), "active_price_ratio".to_string()), + active_price_ratio: ActivePriceRatioPattern::new( + client.clone(), + "active_price_ratio".to_string(), + ), cointime_price: MetricPattern1::new(client.clone(), "cointime_price".to_string()), - cointime_price_ratio: ActivePriceRatioPattern::new(client.clone(), "cointime_price_ratio".to_string()), + cointime_price_ratio: ActivePriceRatioPattern::new( + client.clone(), + "cointime_price_ratio".to_string(), + ), true_market_mean: MetricPattern1::new(client.clone(), "true_market_mean".to_string()), - true_market_mean_ratio: ActivePriceRatioPattern::new(client.clone(), "true_market_mean_ratio".to_string()), + true_market_mean_ratio: ActivePriceRatioPattern::new( + client.clone(), + "true_market_mean_ratio".to_string(), + ), vaulted_price: MetricPattern1::new(client.clone(), "vaulted_price".to_string()), - vaulted_price_ratio: ActivePriceRatioPattern::new(client.clone(), "vaulted_price_ratio".to_string()), + vaulted_price_ratio: ActivePriceRatioPattern::new( + client.clone(), + "vaulted_price_ratio".to_string(), + ), } } } @@ -4179,9 +4803,18 @@ pub struct MetricsTree_Cointime_Value { impl MetricsTree_Cointime_Value { pub fn new(client: Arc, base_path: String) -> Self { Self { - cointime_value_created: BlockCountPattern::new(client.clone(), "cointime_value_created".to_string()), - cointime_value_destroyed: BlockCountPattern::new(client.clone(), "cointime_value_destroyed".to_string()), - cointime_value_stored: BlockCountPattern::new(client.clone(), "cointime_value_stored".to_string()), + cointime_value_created: BlockCountPattern::new( + client.clone(), + "cointime_value_created".to_string(), + ), + cointime_value_destroyed: BlockCountPattern::new( + client.clone(), + "cointime_value_destroyed".to_string(), + ), + cointime_value_stored: BlockCountPattern::new( + client.clone(), + "cointime_value_stored".to_string(), + ), } } } @@ -4250,14 +4883,32 @@ impl MetricsTree_Distribution { pub fn new(client: Arc, base_path: String) -> Self { Self { addr_count: AddrCountPattern::new(client.clone(), "addr_count".to_string()), - address_cohorts: MetricsTree_Distribution_AddressCohorts::new(client.clone(), format!("{base_path}_address_cohorts")), - addresses_data: MetricsTree_Distribution_AddressesData::new(client.clone(), format!("{base_path}_addresses_data")), - any_address_indexes: MetricsTree_Distribution_AnyAddressIndexes::new(client.clone(), format!("{base_path}_any_address_indexes")), + address_cohorts: MetricsTree_Distribution_AddressCohorts::new( + client.clone(), + format!("{base_path}_address_cohorts"), + ), + addresses_data: MetricsTree_Distribution_AddressesData::new( + client.clone(), + format!("{base_path}_addresses_data"), + ), + any_address_indexes: MetricsTree_Distribution_AnyAddressIndexes::new( + client.clone(), + format!("{base_path}_any_address_indexes"), + ), chain_state: MetricPattern11::new(client.clone(), "chain".to_string()), empty_addr_count: AddrCountPattern::new(client.clone(), "empty_addr_count".to_string()), - emptyaddressindex: MetricPattern32::new(client.clone(), "emptyaddressindex".to_string()), - loadedaddressindex: MetricPattern31::new(client.clone(), "loadedaddressindex".to_string()), - utxo_cohorts: MetricsTree_Distribution_UtxoCohorts::new(client.clone(), format!("{base_path}_utxo_cohorts")), + emptyaddressindex: MetricPattern32::new( + client.clone(), + "emptyaddressindex".to_string(), + ), + loadedaddressindex: MetricPattern31::new( + client.clone(), + "loadedaddressindex".to_string(), + ), + utxo_cohorts: MetricsTree_Distribution_UtxoCohorts::new( + client.clone(), + format!("{base_path}_utxo_cohorts"), + ), } } } @@ -4272,9 +4923,18 @@ pub struct MetricsTree_Distribution_AddressCohorts { impl MetricsTree_Distribution_AddressCohorts { pub fn new(client: Arc, base_path: String) -> Self { Self { - amount_range: MetricsTree_Distribution_AddressCohorts_AmountRange::new(client.clone(), format!("{base_path}_amount_range")), - ge_amount: MetricsTree_Distribution_AddressCohorts_GeAmount::new(client.clone(), format!("{base_path}_ge_amount")), - lt_amount: MetricsTree_Distribution_AddressCohorts_LtAmount::new(client.clone(), format!("{base_path}_lt_amount")), + amount_range: MetricsTree_Distribution_AddressCohorts_AmountRange::new( + client.clone(), + format!("{base_path}_amount_range"), + ), + ge_amount: MetricsTree_Distribution_AddressCohorts_GeAmount::new( + client.clone(), + format!("{base_path}_ge_amount"), + ), + lt_amount: MetricsTree_Distribution_AddressCohorts_LtAmount::new( + client.clone(), + format!("{base_path}_lt_amount"), + ), } } } @@ -4302,20 +4962,62 @@ impl MetricsTree_Distribution_AddressCohorts_AmountRange { pub fn new(client: Arc, base_path: String) -> Self { Self { _0sats: _0satsPattern::new(client.clone(), "addrs_with_0sats".to_string()), - _100btc_to_1k_btc: _0satsPattern::new(client.clone(), "addrs_above_100btc_under_1k_btc".to_string()), - _100k_btc_or_more: _0satsPattern::new(client.clone(), "addrs_above_100k_btc".to_string()), - _100k_sats_to_1m_sats: _0satsPattern::new(client.clone(), "addrs_above_100k_sats_under_1m_sats".to_string()), - _100sats_to_1k_sats: _0satsPattern::new(client.clone(), "addrs_above_100sats_under_1k_sats".to_string()), - _10btc_to_100btc: _0satsPattern::new(client.clone(), "addrs_above_10btc_under_100btc".to_string()), - _10k_btc_to_100k_btc: _0satsPattern::new(client.clone(), "addrs_above_10k_btc_under_100k_btc".to_string()), - _10k_sats_to_100k_sats: _0satsPattern::new(client.clone(), "addrs_above_10k_sats_under_100k_sats".to_string()), - _10m_sats_to_1btc: _0satsPattern::new(client.clone(), "addrs_above_10m_sats_under_1btc".to_string()), - _10sats_to_100sats: _0satsPattern::new(client.clone(), "addrs_above_10sats_under_100sats".to_string()), - _1btc_to_10btc: _0satsPattern::new(client.clone(), "addrs_above_1btc_under_10btc".to_string()), - _1k_btc_to_10k_btc: _0satsPattern::new(client.clone(), "addrs_above_1k_btc_under_10k_btc".to_string()), - _1k_sats_to_10k_sats: _0satsPattern::new(client.clone(), "addrs_above_1k_sats_under_10k_sats".to_string()), - _1m_sats_to_10m_sats: _0satsPattern::new(client.clone(), "addrs_above_1m_sats_under_10m_sats".to_string()), - _1sat_to_10sats: _0satsPattern::new(client.clone(), "addrs_above_1sat_under_10sats".to_string()), + _100btc_to_1k_btc: _0satsPattern::new( + client.clone(), + "addrs_above_100btc_under_1k_btc".to_string(), + ), + _100k_btc_or_more: _0satsPattern::new( + client.clone(), + "addrs_above_100k_btc".to_string(), + ), + _100k_sats_to_1m_sats: _0satsPattern::new( + client.clone(), + "addrs_above_100k_sats_under_1m_sats".to_string(), + ), + _100sats_to_1k_sats: _0satsPattern::new( + client.clone(), + "addrs_above_100sats_under_1k_sats".to_string(), + ), + _10btc_to_100btc: _0satsPattern::new( + client.clone(), + "addrs_above_10btc_under_100btc".to_string(), + ), + _10k_btc_to_100k_btc: _0satsPattern::new( + client.clone(), + "addrs_above_10k_btc_under_100k_btc".to_string(), + ), + _10k_sats_to_100k_sats: _0satsPattern::new( + client.clone(), + "addrs_above_10k_sats_under_100k_sats".to_string(), + ), + _10m_sats_to_1btc: _0satsPattern::new( + client.clone(), + "addrs_above_10m_sats_under_1btc".to_string(), + ), + _10sats_to_100sats: _0satsPattern::new( + client.clone(), + "addrs_above_10sats_under_100sats".to_string(), + ), + _1btc_to_10btc: _0satsPattern::new( + client.clone(), + "addrs_above_1btc_under_10btc".to_string(), + ), + _1k_btc_to_10k_btc: _0satsPattern::new( + client.clone(), + "addrs_above_1k_btc_under_10k_btc".to_string(), + ), + _1k_sats_to_10k_sats: _0satsPattern::new( + client.clone(), + "addrs_above_1k_sats_under_10k_sats".to_string(), + ), + _1m_sats_to_10m_sats: _0satsPattern::new( + client.clone(), + "addrs_above_1m_sats_under_10m_sats".to_string(), + ), + _1sat_to_10sats: _0satsPattern::new( + client.clone(), + "addrs_above_1sat_under_10sats".to_string(), + ), } } } @@ -4454,17 +5156,50 @@ pub struct MetricsTree_Distribution_UtxoCohorts { impl MetricsTree_Distribution_UtxoCohorts { pub fn new(client: Arc, base_path: String) -> Self { Self { - age_range: MetricsTree_Distribution_UtxoCohorts_AgeRange::new(client.clone(), format!("{base_path}_age_range")), - all: MetricsTree_Distribution_UtxoCohorts_All::new(client.clone(), format!("{base_path}_all")), - amount_range: MetricsTree_Distribution_UtxoCohorts_AmountRange::new(client.clone(), format!("{base_path}_amount_range")), - epoch: MetricsTree_Distribution_UtxoCohorts_Epoch::new(client.clone(), format!("{base_path}_epoch")), - ge_amount: MetricsTree_Distribution_UtxoCohorts_GeAmount::new(client.clone(), format!("{base_path}_ge_amount")), - lt_amount: MetricsTree_Distribution_UtxoCohorts_LtAmount::new(client.clone(), format!("{base_path}_lt_amount")), - max_age: MetricsTree_Distribution_UtxoCohorts_MaxAge::new(client.clone(), format!("{base_path}_max_age")), - min_age: MetricsTree_Distribution_UtxoCohorts_MinAge::new(client.clone(), format!("{base_path}_min_age")), - term: MetricsTree_Distribution_UtxoCohorts_Term::new(client.clone(), format!("{base_path}_term")), - type_: MetricsTree_Distribution_UtxoCohorts_Type::new(client.clone(), format!("{base_path}_type_")), - year: MetricsTree_Distribution_UtxoCohorts_Year::new(client.clone(), format!("{base_path}_year")), + age_range: MetricsTree_Distribution_UtxoCohorts_AgeRange::new( + client.clone(), + format!("{base_path}_age_range"), + ), + all: MetricsTree_Distribution_UtxoCohorts_All::new( + client.clone(), + format!("{base_path}_all"), + ), + amount_range: MetricsTree_Distribution_UtxoCohorts_AmountRange::new( + client.clone(), + format!("{base_path}_amount_range"), + ), + epoch: MetricsTree_Distribution_UtxoCohorts_Epoch::new( + client.clone(), + format!("{base_path}_epoch"), + ), + ge_amount: MetricsTree_Distribution_UtxoCohorts_GeAmount::new( + client.clone(), + format!("{base_path}_ge_amount"), + ), + lt_amount: MetricsTree_Distribution_UtxoCohorts_LtAmount::new( + client.clone(), + format!("{base_path}_lt_amount"), + ), + max_age: MetricsTree_Distribution_UtxoCohorts_MaxAge::new( + client.clone(), + format!("{base_path}_max_age"), + ), + min_age: MetricsTree_Distribution_UtxoCohorts_MinAge::new( + client.clone(), + format!("{base_path}_min_age"), + ), + term: MetricsTree_Distribution_UtxoCohorts_Term::new( + client.clone(), + format!("{base_path}_term"), + ), + type_: MetricsTree_Distribution_UtxoCohorts_Type::new( + client.clone(), + format!("{base_path}_type_"), + ), + year: MetricsTree_Distribution_UtxoCohorts_Year::new( + client.clone(), + format!("{base_path}_year"), + ), } } } @@ -4497,25 +5232,82 @@ pub struct MetricsTree_Distribution_UtxoCohorts_AgeRange { impl MetricsTree_Distribution_UtxoCohorts_AgeRange { pub fn new(client: Arc, base_path: String) -> Self { Self { - _10y_to_12y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_10y_up_to_12y_old".to_string()), - _12y_to_15y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_12y_up_to_15y_old".to_string()), - _1d_to_1w: _10yTo12yPattern::new(client.clone(), "utxos_at_least_1d_up_to_1w_old".to_string()), - _1h_to_1d: _10yTo12yPattern::new(client.clone(), "utxos_at_least_1h_up_to_1d_old".to_string()), - _1m_to_2m: _10yTo12yPattern::new(client.clone(), "utxos_at_least_1m_up_to_2m_old".to_string()), - _1w_to_1m: _10yTo12yPattern::new(client.clone(), "utxos_at_least_1w_up_to_1m_old".to_string()), - _1y_to_2y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_1y_up_to_2y_old".to_string()), - _2m_to_3m: _10yTo12yPattern::new(client.clone(), "utxos_at_least_2m_up_to_3m_old".to_string()), - _2y_to_3y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_2y_up_to_3y_old".to_string()), - _3m_to_4m: _10yTo12yPattern::new(client.clone(), "utxos_at_least_3m_up_to_4m_old".to_string()), - _3y_to_4y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_3y_up_to_4y_old".to_string()), - _4m_to_5m: _10yTo12yPattern::new(client.clone(), "utxos_at_least_4m_up_to_5m_old".to_string()), - _4y_to_5y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_4y_up_to_5y_old".to_string()), - _5m_to_6m: _10yTo12yPattern::new(client.clone(), "utxos_at_least_5m_up_to_6m_old".to_string()), - _5y_to_6y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_5y_up_to_6y_old".to_string()), - _6m_to_1y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_6m_up_to_1y_old".to_string()), - _6y_to_7y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_6y_up_to_7y_old".to_string()), - _7y_to_8y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_7y_up_to_8y_old".to_string()), - _8y_to_10y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_8y_up_to_10y_old".to_string()), + _10y_to_12y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_10y_up_to_12y_old".to_string(), + ), + _12y_to_15y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_12y_up_to_15y_old".to_string(), + ), + _1d_to_1w: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_1d_up_to_1w_old".to_string(), + ), + _1h_to_1d: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_1h_up_to_1d_old".to_string(), + ), + _1m_to_2m: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_1m_up_to_2m_old".to_string(), + ), + _1w_to_1m: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_1w_up_to_1m_old".to_string(), + ), + _1y_to_2y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_1y_up_to_2y_old".to_string(), + ), + _2m_to_3m: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_2m_up_to_3m_old".to_string(), + ), + _2y_to_3y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_2y_up_to_3y_old".to_string(), + ), + _3m_to_4m: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_3m_up_to_4m_old".to_string(), + ), + _3y_to_4y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_3y_up_to_4y_old".to_string(), + ), + _4m_to_5m: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_4m_up_to_5m_old".to_string(), + ), + _4y_to_5y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_4y_up_to_5y_old".to_string(), + ), + _5m_to_6m: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_5m_up_to_6m_old".to_string(), + ), + _5y_to_6y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_5y_up_to_6y_old".to_string(), + ), + _6m_to_1y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_6m_up_to_1y_old".to_string(), + ), + _6y_to_7y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_6y_up_to_7y_old".to_string(), + ), + _7y_to_8y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_7y_up_to_8y_old".to_string(), + ), + _8y_to_10y: _10yTo12yPattern::new( + client.clone(), + "utxos_at_least_8y_up_to_10y_old".to_string(), + ), from_15y: _10yTo12yPattern::new(client.clone(), "utxos_at_least_15y_old".to_string()), up_to_1h: _10yTo12yPattern::new(client.clone(), "utxos_up_to_1h_old".to_string()), } @@ -4524,8 +5316,8 @@ impl MetricsTree_Distribution_UtxoCohorts_AgeRange { /// Metrics tree node. pub struct MetricsTree_Distribution_UtxoCohorts_All { - pub activity: ActivityPattern2, - pub cost_basis: CostBasisPattern2, + pub activity: MetricsTree_Distribution_UtxoCohorts_All_Activity, + pub cost_basis: MetricsTree_Distribution_UtxoCohorts_All_CostBasis, pub outputs: OutputsPattern, pub realized: RealizedPattern3, pub relative: MetricsTree_Distribution_UtxoCohorts_All_Relative, @@ -4536,17 +5328,76 @@ pub struct MetricsTree_Distribution_UtxoCohorts_All { impl MetricsTree_Distribution_UtxoCohorts_All { pub fn new(client: Arc, base_path: String) -> Self { Self { - activity: ActivityPattern2::new(client.clone(), "destroyed".to_string()), - cost_basis: CostBasisPattern2::new(client.clone(), "cost_basis".to_string()), + activity: MetricsTree_Distribution_UtxoCohorts_All_Activity::new( + client.clone(), + format!("{base_path}_activity"), + ), + cost_basis: MetricsTree_Distribution_UtxoCohorts_All_CostBasis::new( + client.clone(), + format!("{base_path}_cost_basis"), + ), outputs: OutputsPattern::new(client.clone(), "utxo_count".to_string()), realized: RealizedPattern3::new(client.clone(), "".to_string()), - relative: MetricsTree_Distribution_UtxoCohorts_All_Relative::new(client.clone(), format!("{base_path}_relative")), + relative: MetricsTree_Distribution_UtxoCohorts_All_Relative::new( + client.clone(), + format!("{base_path}_relative"), + ), supply: SupplyPattern2::new(client.clone(), "supply".to_string()), unrealized: UnrealizedPattern::new(client.clone(), "".to_string()), } } } +/// Metrics tree node. +pub struct MetricsTree_Distribution_UtxoCohorts_All_Activity { + pub coinblocks_destroyed: BlockCountPattern, + pub coindays_destroyed: BlockCountPattern, + pub satblocks_destroyed: MetricPattern11, + pub satdays_destroyed: MetricPattern11, + pub sent: UnclaimedRewardsPattern, +} + +impl MetricsTree_Distribution_UtxoCohorts_All_Activity { + pub fn new(client: Arc, base_path: String) -> Self { + Self { + coinblocks_destroyed: BlockCountPattern::new( + client.clone(), + "coinblocks_destroyed".to_string(), + ), + coindays_destroyed: BlockCountPattern::new( + client.clone(), + "coindays_destroyed".to_string(), + ), + satblocks_destroyed: MetricPattern11::new( + client.clone(), + "satblocks_destroyed".to_string(), + ), + satdays_destroyed: MetricPattern11::new( + client.clone(), + "satdays_destroyed".to_string(), + ), + sent: UnclaimedRewardsPattern::new(client.clone(), "sent".to_string()), + } + } +} + +/// Metrics tree node. +pub struct MetricsTree_Distribution_UtxoCohorts_All_CostBasis { + pub max: MetricPattern1, + pub min: MetricPattern1, + pub percentiles: PercentilesPattern, +} + +impl MetricsTree_Distribution_UtxoCohorts_All_CostBasis { + pub fn new(client: Arc, base_path: String) -> Self { + Self { + max: MetricPattern1::new(client.clone(), "max_cost_basis".to_string()), + min: MetricPattern1::new(client.clone(), "min_cost_basis".to_string()), + percentiles: PercentilesPattern::new(client.clone(), "cost_basis".to_string()), + } + } +} + /// Metrics tree node. pub struct MetricsTree_Distribution_UtxoCohorts_All_Relative { pub neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1, @@ -4560,12 +5411,30 @@ pub struct MetricsTree_Distribution_UtxoCohorts_All_Relative { impl MetricsTree_Distribution_UtxoCohorts_All_Relative { pub fn new(client: Arc, base_path: String) -> Self { Self { - neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), "neg_unrealized_loss_rel_to_own_total_unrealized_pnl".to_string()), - net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), "net_unrealized_pnl_rel_to_own_total_unrealized_pnl".to_string()), - supply_in_loss_rel_to_own_supply: MetricPattern1::new(client.clone(), "supply_in_loss_rel_to_own_supply".to_string()), - supply_in_profit_rel_to_own_supply: MetricPattern1::new(client.clone(), "supply_in_profit_rel_to_own_supply".to_string()), - unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), "unrealized_loss_rel_to_own_total_unrealized_pnl".to_string()), - unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1::new(client.clone(), "unrealized_profit_rel_to_own_total_unrealized_pnl".to_string()), + neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + "neg_unrealized_loss_rel_to_own_total_unrealized_pnl".to_string(), + ), + net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + "net_unrealized_pnl_rel_to_own_total_unrealized_pnl".to_string(), + ), + supply_in_loss_rel_to_own_supply: MetricPattern1::new( + client.clone(), + "supply_in_loss_rel_to_own_supply".to_string(), + ), + supply_in_profit_rel_to_own_supply: MetricPattern1::new( + client.clone(), + "supply_in_profit_rel_to_own_supply".to_string(), + ), + unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + "unrealized_loss_rel_to_own_total_unrealized_pnl".to_string(), + ), + unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1::new( + client.clone(), + "unrealized_profit_rel_to_own_total_unrealized_pnl".to_string(), + ), } } } @@ -4593,20 +5462,62 @@ impl MetricsTree_Distribution_UtxoCohorts_AmountRange { pub fn new(client: Arc, base_path: String) -> Self { Self { _0sats: _0satsPattern2::new(client.clone(), "utxos_with_0sats".to_string()), - _100btc_to_1k_btc: _0satsPattern2::new(client.clone(), "utxos_above_100btc_under_1k_btc".to_string()), - _100k_btc_or_more: _0satsPattern2::new(client.clone(), "utxos_above_100k_btc".to_string()), - _100k_sats_to_1m_sats: _0satsPattern2::new(client.clone(), "utxos_above_100k_sats_under_1m_sats".to_string()), - _100sats_to_1k_sats: _0satsPattern2::new(client.clone(), "utxos_above_100sats_under_1k_sats".to_string()), - _10btc_to_100btc: _0satsPattern2::new(client.clone(), "utxos_above_10btc_under_100btc".to_string()), - _10k_btc_to_100k_btc: _0satsPattern2::new(client.clone(), "utxos_above_10k_btc_under_100k_btc".to_string()), - _10k_sats_to_100k_sats: _0satsPattern2::new(client.clone(), "utxos_above_10k_sats_under_100k_sats".to_string()), - _10m_sats_to_1btc: _0satsPattern2::new(client.clone(), "utxos_above_10m_sats_under_1btc".to_string()), - _10sats_to_100sats: _0satsPattern2::new(client.clone(), "utxos_above_10sats_under_100sats".to_string()), - _1btc_to_10btc: _0satsPattern2::new(client.clone(), "utxos_above_1btc_under_10btc".to_string()), - _1k_btc_to_10k_btc: _0satsPattern2::new(client.clone(), "utxos_above_1k_btc_under_10k_btc".to_string()), - _1k_sats_to_10k_sats: _0satsPattern2::new(client.clone(), "utxos_above_1k_sats_under_10k_sats".to_string()), - _1m_sats_to_10m_sats: _0satsPattern2::new(client.clone(), "utxos_above_1m_sats_under_10m_sats".to_string()), - _1sat_to_10sats: _0satsPattern2::new(client.clone(), "utxos_above_1sat_under_10sats".to_string()), + _100btc_to_1k_btc: _0satsPattern2::new( + client.clone(), + "utxos_above_100btc_under_1k_btc".to_string(), + ), + _100k_btc_or_more: _0satsPattern2::new( + client.clone(), + "utxos_above_100k_btc".to_string(), + ), + _100k_sats_to_1m_sats: _0satsPattern2::new( + client.clone(), + "utxos_above_100k_sats_under_1m_sats".to_string(), + ), + _100sats_to_1k_sats: _0satsPattern2::new( + client.clone(), + "utxos_above_100sats_under_1k_sats".to_string(), + ), + _10btc_to_100btc: _0satsPattern2::new( + client.clone(), + "utxos_above_10btc_under_100btc".to_string(), + ), + _10k_btc_to_100k_btc: _0satsPattern2::new( + client.clone(), + "utxos_above_10k_btc_under_100k_btc".to_string(), + ), + _10k_sats_to_100k_sats: _0satsPattern2::new( + client.clone(), + "utxos_above_10k_sats_under_100k_sats".to_string(), + ), + _10m_sats_to_1btc: _0satsPattern2::new( + client.clone(), + "utxos_above_10m_sats_under_1btc".to_string(), + ), + _10sats_to_100sats: _0satsPattern2::new( + client.clone(), + "utxos_above_10sats_under_100sats".to_string(), + ), + _1btc_to_10btc: _0satsPattern2::new( + client.clone(), + "utxos_above_1btc_under_10btc".to_string(), + ), + _1k_btc_to_10k_btc: _0satsPattern2::new( + client.clone(), + "utxos_above_1k_btc_under_10k_btc".to_string(), + ), + _1k_sats_to_10k_sats: _0satsPattern2::new( + client.clone(), + "utxos_above_1k_sats_under_10k_sats".to_string(), + ), + _1m_sats_to_10m_sats: _0satsPattern2::new( + client.clone(), + "utxos_above_1m_sats_under_10m_sats".to_string(), + ), + _1sat_to_10sats: _0satsPattern2::new( + client.clone(), + "utxos_above_1sat_under_10sats".to_string(), + ), } } } @@ -4809,8 +5720,14 @@ pub struct MetricsTree_Distribution_UtxoCohorts_Term { impl MetricsTree_Distribution_UtxoCohorts_Term { pub fn new(client: Arc, base_path: String) -> Self { Self { - long: MetricsTree_Distribution_UtxoCohorts_Term_Long::new(client.clone(), format!("{base_path}_long")), - short: MetricsTree_Distribution_UtxoCohorts_Term_Short::new(client.clone(), format!("{base_path}_short")), + long: MetricsTree_Distribution_UtxoCohorts_Term_Long::new( + client.clone(), + format!("{base_path}_long"), + ), + short: MetricsTree_Distribution_UtxoCohorts_Term_Short::new( + client.clone(), + format!("{base_path}_short"), + ), } } } @@ -4966,20 +5883,59 @@ pub struct MetricsTree_Indexes { impl MetricsTree_Indexes { pub fn new(client: Arc, base_path: String) -> Self { Self { - address: MetricsTree_Indexes_Address::new(client.clone(), format!("{base_path}_address")), - dateindex: MetricsTree_Indexes_Dateindex::new(client.clone(), format!("{base_path}_dateindex")), - decadeindex: MetricsTree_Indexes_Decadeindex::new(client.clone(), format!("{base_path}_decadeindex")), - difficultyepoch: MetricsTree_Indexes_Difficultyepoch::new(client.clone(), format!("{base_path}_difficultyepoch")), - halvingepoch: MetricsTree_Indexes_Halvingepoch::new(client.clone(), format!("{base_path}_halvingepoch")), + address: MetricsTree_Indexes_Address::new( + client.clone(), + format!("{base_path}_address"), + ), + dateindex: MetricsTree_Indexes_Dateindex::new( + client.clone(), + format!("{base_path}_dateindex"), + ), + decadeindex: MetricsTree_Indexes_Decadeindex::new( + client.clone(), + format!("{base_path}_decadeindex"), + ), + difficultyepoch: MetricsTree_Indexes_Difficultyepoch::new( + client.clone(), + format!("{base_path}_difficultyepoch"), + ), + halvingepoch: MetricsTree_Indexes_Halvingepoch::new( + client.clone(), + format!("{base_path}_halvingepoch"), + ), height: MetricsTree_Indexes_Height::new(client.clone(), format!("{base_path}_height")), - monthindex: MetricsTree_Indexes_Monthindex::new(client.clone(), format!("{base_path}_monthindex")), - quarterindex: MetricsTree_Indexes_Quarterindex::new(client.clone(), format!("{base_path}_quarterindex")), - semesterindex: MetricsTree_Indexes_Semesterindex::new(client.clone(), format!("{base_path}_semesterindex")), - txindex: MetricsTree_Indexes_Txindex::new(client.clone(), format!("{base_path}_txindex")), - txinindex: MetricsTree_Indexes_Txinindex::new(client.clone(), format!("{base_path}_txinindex")), - txoutindex: MetricsTree_Indexes_Txoutindex::new(client.clone(), format!("{base_path}_txoutindex")), - weekindex: MetricsTree_Indexes_Weekindex::new(client.clone(), format!("{base_path}_weekindex")), - yearindex: MetricsTree_Indexes_Yearindex::new(client.clone(), format!("{base_path}_yearindex")), + monthindex: MetricsTree_Indexes_Monthindex::new( + client.clone(), + format!("{base_path}_monthindex"), + ), + quarterindex: MetricsTree_Indexes_Quarterindex::new( + client.clone(), + format!("{base_path}_quarterindex"), + ), + semesterindex: MetricsTree_Indexes_Semesterindex::new( + client.clone(), + format!("{base_path}_semesterindex"), + ), + txindex: MetricsTree_Indexes_Txindex::new( + client.clone(), + format!("{base_path}_txindex"), + ), + txinindex: MetricsTree_Indexes_Txinindex::new( + client.clone(), + format!("{base_path}_txinindex"), + ), + txoutindex: MetricsTree_Indexes_Txoutindex::new( + client.clone(), + format!("{base_path}_txoutindex"), + ), + weekindex: MetricsTree_Indexes_Weekindex::new( + client.clone(), + format!("{base_path}_weekindex"), + ), + yearindex: MetricsTree_Indexes_Yearindex::new( + client.clone(), + format!("{base_path}_yearindex"), + ), } } } @@ -5003,18 +5959,51 @@ pub struct MetricsTree_Indexes_Address { impl MetricsTree_Indexes_Address { pub fn new(client: Arc, base_path: String) -> Self { Self { - empty: MetricsTree_Indexes_Address_Empty::new(client.clone(), format!("{base_path}_empty")), - opreturn: MetricsTree_Indexes_Address_Opreturn::new(client.clone(), format!("{base_path}_opreturn")), + empty: MetricsTree_Indexes_Address_Empty::new( + client.clone(), + format!("{base_path}_empty"), + ), + opreturn: MetricsTree_Indexes_Address_Opreturn::new( + client.clone(), + format!("{base_path}_opreturn"), + ), p2a: MetricsTree_Indexes_Address_P2a::new(client.clone(), format!("{base_path}_p2a")), - p2ms: MetricsTree_Indexes_Address_P2ms::new(client.clone(), format!("{base_path}_p2ms")), - p2pk33: MetricsTree_Indexes_Address_P2pk33::new(client.clone(), format!("{base_path}_p2pk33")), - p2pk65: MetricsTree_Indexes_Address_P2pk65::new(client.clone(), format!("{base_path}_p2pk65")), - p2pkh: MetricsTree_Indexes_Address_P2pkh::new(client.clone(), format!("{base_path}_p2pkh")), - p2sh: MetricsTree_Indexes_Address_P2sh::new(client.clone(), format!("{base_path}_p2sh")), - p2tr: MetricsTree_Indexes_Address_P2tr::new(client.clone(), format!("{base_path}_p2tr")), - p2wpkh: MetricsTree_Indexes_Address_P2wpkh::new(client.clone(), format!("{base_path}_p2wpkh")), - p2wsh: MetricsTree_Indexes_Address_P2wsh::new(client.clone(), format!("{base_path}_p2wsh")), - unknown: MetricsTree_Indexes_Address_Unknown::new(client.clone(), format!("{base_path}_unknown")), + p2ms: MetricsTree_Indexes_Address_P2ms::new( + client.clone(), + format!("{base_path}_p2ms"), + ), + p2pk33: MetricsTree_Indexes_Address_P2pk33::new( + client.clone(), + format!("{base_path}_p2pk33"), + ), + p2pk65: MetricsTree_Indexes_Address_P2pk65::new( + client.clone(), + format!("{base_path}_p2pk65"), + ), + p2pkh: MetricsTree_Indexes_Address_P2pkh::new( + client.clone(), + format!("{base_path}_p2pkh"), + ), + p2sh: MetricsTree_Indexes_Address_P2sh::new( + client.clone(), + format!("{base_path}_p2sh"), + ), + p2tr: MetricsTree_Indexes_Address_P2tr::new( + client.clone(), + format!("{base_path}_p2tr"), + ), + p2wpkh: MetricsTree_Indexes_Address_P2wpkh::new( + client.clone(), + format!("{base_path}_p2wpkh"), + ), + p2wsh: MetricsTree_Indexes_Address_P2wsh::new( + client.clone(), + format!("{base_path}_p2wsh"), + ), + unknown: MetricsTree_Indexes_Address_Unknown::new( + client.clone(), + format!("{base_path}_unknown"), + ), } } } @@ -5461,7 +6450,7 @@ pub struct MetricsTree_Market { pub ath: MetricsTree_Market_Ath, pub dca: MetricsTree_Market_Dca, pub indicators: MetricsTree_Market_Indicators, - pub lookback: MetricsTree_Market_Lookback, + pub lookback: LookbackPattern, pub moving_average: MetricsTree_Market_MovingAverage, pub range: MetricsTree_Market_Range, pub returns: MetricsTree_Market_Returns, @@ -5473,12 +6462,24 @@ impl MetricsTree_Market { Self { ath: MetricsTree_Market_Ath::new(client.clone(), format!("{base_path}_ath")), dca: MetricsTree_Market_Dca::new(client.clone(), format!("{base_path}_dca")), - indicators: MetricsTree_Market_Indicators::new(client.clone(), format!("{base_path}_indicators")), - lookback: MetricsTree_Market_Lookback::new(client.clone(), format!("{base_path}_lookback")), - moving_average: MetricsTree_Market_MovingAverage::new(client.clone(), format!("{base_path}_moving_average")), + indicators: MetricsTree_Market_Indicators::new( + client.clone(), + format!("{base_path}_indicators"), + ), + lookback: LookbackPattern::new(client.clone(), "price".to_string()), + moving_average: MetricsTree_Market_MovingAverage::new( + client.clone(), + format!("{base_path}_moving_average"), + ), range: MetricsTree_Market_Range::new(client.clone(), format!("{base_path}_range")), - returns: MetricsTree_Market_Returns::new(client.clone(), format!("{base_path}_returns")), - volatility: MetricsTree_Market_Volatility::new(client.clone(), format!("{base_path}_volatility")), + returns: MetricsTree_Market_Returns::new( + client.clone(), + format!("{base_path}_returns"), + ), + volatility: MetricsTree_Market_Volatility::new( + client.clone(), + format!("{base_path}_volatility"), + ), } } } @@ -5496,12 +6497,24 @@ pub struct MetricsTree_Market_Ath { impl MetricsTree_Market_Ath { pub fn new(client: Arc, base_path: String) -> Self { Self { - days_since_price_ath: MetricPattern4::new(client.clone(), "days_since_price_ath".to_string()), - max_days_between_price_aths: MetricPattern4::new(client.clone(), "max_days_between_price_aths".to_string()), - max_years_between_price_aths: MetricPattern4::new(client.clone(), "max_years_between_price_aths".to_string()), + days_since_price_ath: MetricPattern4::new( + client.clone(), + "days_since_price_ath".to_string(), + ), + max_days_between_price_aths: MetricPattern4::new( + client.clone(), + "max_days_between_price_aths".to_string(), + ), + max_years_between_price_aths: MetricPattern4::new( + client.clone(), + "max_years_between_price_aths".to_string(), + ), price_ath: MetricPattern1::new(client.clone(), "price_ath".to_string()), price_drawdown: MetricPattern3::new(client.clone(), "price_drawdown".to_string()), - years_since_price_ath: MetricPattern4::new(client.clone(), "years_since_price_ath".to_string()), + years_since_price_ath: MetricPattern4::new( + client.clone(), + "years_since_price_ath".to_string(), + ), } } } @@ -5521,13 +6534,28 @@ pub struct MetricsTree_Market_Dca { impl MetricsTree_Market_Dca { pub fn new(client: Arc, base_path: String) -> Self { Self { - class_average_price: ClassAveragePricePattern::new(client.clone(), "dca_class".to_string()), + class_average_price: ClassAveragePricePattern::new( + client.clone(), + "dca_class".to_string(), + ), class_returns: ClassAveragePricePattern::new(client.clone(), "dca_class".to_string()), - class_stack: MetricsTree_Market_Dca_ClassStack::new(client.clone(), format!("{base_path}_class_stack")), - period_average_price: PeriodAveragePricePattern::new(client.clone(), "dca_average_price".to_string()), + class_stack: MetricsTree_Market_Dca_ClassStack::new( + client.clone(), + format!("{base_path}_class_stack"), + ), + period_average_price: PeriodAveragePricePattern::new( + client.clone(), + "dca_average_price".to_string(), + ), period_cagr: PeriodCagrPattern::new(client.clone(), "dca_cagr".to_string()), - period_lump_sum_stack: PeriodLumpSumStackPattern::new(client.clone(), "lump_sum_stack".to_string()), - period_returns: PeriodAveragePricePattern::new(client.clone(), "dca_returns".to_string()), + period_lump_sum_stack: PeriodLumpSumStackPattern::new( + client.clone(), + "lump_sum_stack".to_string(), + ), + period_returns: PeriodAveragePricePattern::new( + client.clone(), + "dca_returns".to_string(), + ), period_stack: PeriodLumpSumStackPattern::new(client.clone(), "dca_stack".to_string()), } } @@ -5602,8 +6630,14 @@ impl MetricsTree_Market_Indicators { rsi_14d: MetricPattern6::new(client.clone(), "rsi_14d".to_string()), rsi_14d_max: MetricPattern6::new(client.clone(), "rsi_14d_max".to_string()), rsi_14d_min: MetricPattern6::new(client.clone(), "rsi_14d_min".to_string()), - rsi_average_gain_14d: MetricPattern6::new(client.clone(), "rsi_average_gain_14d".to_string()), - rsi_average_loss_14d: MetricPattern6::new(client.clone(), "rsi_average_loss_14d".to_string()), + rsi_average_gain_14d: MetricPattern6::new( + client.clone(), + "rsi_average_gain_14d".to_string(), + ), + rsi_average_loss_14d: MetricPattern6::new( + client.clone(), + "rsi_average_loss_14d".to_string(), + ), rsi_gains: MetricPattern6::new(client.clone(), "rsi_gains".to_string()), rsi_losses: MetricPattern6::new(client.clone(), "rsi_losses".to_string()), stoch_d: MetricPattern6::new(client.clone(), "stoch_d".to_string()), @@ -5615,19 +6649,6 @@ impl MetricsTree_Market_Indicators { } } -/// Metrics tree node. -pub struct MetricsTree_Market_Lookback { - pub price_ago: PriceAgoPattern, -} - -impl MetricsTree_Market_Lookback { - pub fn new(client: Arc, base_path: String) -> Self { - Self { - price_ago: PriceAgoPattern::new(client.clone(), "price".to_string()), - } - } -} - /// Metrics tree node. pub struct MetricsTree_Market_MovingAverage { pub price_111d_sma: Price111dSmaPattern, @@ -5684,8 +6705,14 @@ impl MetricsTree_Market_MovingAverage { price_1y_sma: Price111dSmaPattern::new(client.clone(), "price_1y_sma".to_string()), price_200d_ema: Price111dSmaPattern::new(client.clone(), "price_200d_ema".to_string()), price_200d_sma: Price111dSmaPattern::new(client.clone(), "price_200d_sma".to_string()), - price_200d_sma_x0_8: MetricPattern4::new(client.clone(), "price_200d_sma_x0_8".to_string()), - price_200d_sma_x2_4: MetricPattern4::new(client.clone(), "price_200d_sma_x2_4".to_string()), + price_200d_sma_x0_8: MetricPattern4::new( + client.clone(), + "price_200d_sma_x0_8".to_string(), + ), + price_200d_sma_x2_4: MetricPattern4::new( + client.clone(), + "price_200d_sma_x2_4".to_string(), + ), price_200w_ema: Price111dSmaPattern::new(client.clone(), "price_200w_ema".to_string()), price_200w_sma: Price111dSmaPattern::new(client.clone(), "price_200w_sma".to_string()), price_21d_ema: Price111dSmaPattern::new(client.clone(), "price_21d_ema".to_string()), @@ -5733,11 +6760,17 @@ impl MetricsTree_Market_Range { price_1w_min: MetricPattern4::new(client.clone(), "price_1w_min".to_string()), price_1y_max: MetricPattern4::new(client.clone(), "price_1y_max".to_string()), price_1y_min: MetricPattern4::new(client.clone(), "price_1y_min".to_string()), - price_2w_choppiness_index: MetricPattern4::new(client.clone(), "price_2w_choppiness_index".to_string()), + price_2w_choppiness_index: MetricPattern4::new( + client.clone(), + "price_2w_choppiness_index".to_string(), + ), price_2w_max: MetricPattern4::new(client.clone(), "price_2w_max".to_string()), price_2w_min: MetricPattern4::new(client.clone(), "price_2w_min".to_string()), price_true_range: MetricPattern6::new(client.clone(), "price_true_range".to_string()), - price_true_range_2w_sum: MetricPattern6::new(client.clone(), "price_true_range_2w_sum".to_string()), + price_true_range_2w_sum: MetricPattern6::new( + client.clone(), + "price_true_range_2w_sum".to_string(), + ), } } } @@ -5752,21 +6785,79 @@ pub struct MetricsTree_Market_Returns { pub downside_1w_sd: _1dReturns1mSdPattern, pub downside_1y_sd: _1dReturns1mSdPattern, pub downside_returns: MetricPattern6, - pub price_returns: PriceAgoPattern, + pub price_returns: MetricsTree_Market_Returns_PriceReturns, } impl MetricsTree_Market_Returns { pub fn new(client: Arc, base_path: String) -> Self { Self { - _1d_returns_1m_sd: _1dReturns1mSdPattern::new(client.clone(), "1d_returns_1m_sd".to_string()), - _1d_returns_1w_sd: _1dReturns1mSdPattern::new(client.clone(), "1d_returns_1w_sd".to_string()), - _1d_returns_1y_sd: _1dReturns1mSdPattern::new(client.clone(), "1d_returns_1y_sd".to_string()), + _1d_returns_1m_sd: _1dReturns1mSdPattern::new( + client.clone(), + "1d_returns_1m_sd".to_string(), + ), + _1d_returns_1w_sd: _1dReturns1mSdPattern::new( + client.clone(), + "1d_returns_1w_sd".to_string(), + ), + _1d_returns_1y_sd: _1dReturns1mSdPattern::new( + client.clone(), + "1d_returns_1y_sd".to_string(), + ), cagr: PeriodCagrPattern::new(client.clone(), "cagr".to_string()), - downside_1m_sd: _1dReturns1mSdPattern::new(client.clone(), "downside_1m_sd".to_string()), - downside_1w_sd: _1dReturns1mSdPattern::new(client.clone(), "downside_1w_sd".to_string()), - downside_1y_sd: _1dReturns1mSdPattern::new(client.clone(), "downside_1y_sd".to_string()), + downside_1m_sd: _1dReturns1mSdPattern::new( + client.clone(), + "downside_1m_sd".to_string(), + ), + downside_1w_sd: _1dReturns1mSdPattern::new( + client.clone(), + "downside_1w_sd".to_string(), + ), + downside_1y_sd: _1dReturns1mSdPattern::new( + client.clone(), + "downside_1y_sd".to_string(), + ), downside_returns: MetricPattern6::new(client.clone(), "downside_returns".to_string()), - price_returns: PriceAgoPattern::new(client.clone(), "price_returns".to_string()), + price_returns: MetricsTree_Market_Returns_PriceReturns::new( + client.clone(), + format!("{base_path}_price_returns"), + ), + } + } +} + +/// Metrics tree node. +pub struct MetricsTree_Market_Returns_PriceReturns { + pub _10y: MetricPattern4, + pub _1d: MetricPattern4, + pub _1m: MetricPattern4, + pub _1w: MetricPattern4, + pub _1y: MetricPattern4, + pub _2y: MetricPattern4, + pub _3m: MetricPattern4, + pub _3y: MetricPattern4, + pub _4y: MetricPattern4, + pub _5y: MetricPattern4, + pub _6m: MetricPattern4, + pub _6y: MetricPattern4, + pub _8y: MetricPattern4, +} + +impl MetricsTree_Market_Returns_PriceReturns { + pub fn new(client: Arc, base_path: String) -> Self { + Self { + _10y: MetricPattern4::new(client.clone(), "10y_price_returns".to_string()), + _1d: MetricPattern4::new(client.clone(), "1d_price_returns".to_string()), + _1m: MetricPattern4::new(client.clone(), "1m_price_returns".to_string()), + _1w: MetricPattern4::new(client.clone(), "1w_price_returns".to_string()), + _1y: MetricPattern4::new(client.clone(), "1y_price_returns".to_string()), + _2y: MetricPattern4::new(client.clone(), "2y_price_returns".to_string()), + _3m: MetricPattern4::new(client.clone(), "3m_price_returns".to_string()), + _3y: MetricPattern4::new(client.clone(), "3y_price_returns".to_string()), + _4y: MetricPattern4::new(client.clone(), "4y_price_returns".to_string()), + _5y: MetricPattern4::new(client.clone(), "5y_price_returns".to_string()), + _6m: MetricPattern4::new(client.clone(), "6m_price_returns".to_string()), + _6y: MetricPattern4::new(client.clone(), "6y_price_returns".to_string()), + _8y: MetricPattern4::new(client.clone(), "8y_price_returns".to_string()), } } } @@ -5787,9 +6878,18 @@ pub struct MetricsTree_Market_Volatility { impl MetricsTree_Market_Volatility { pub fn new(client: Arc, base_path: String) -> Self { Self { - price_1m_volatility: MetricPattern4::new(client.clone(), "price_1m_volatility".to_string()), - price_1w_volatility: MetricPattern4::new(client.clone(), "price_1w_volatility".to_string()), - price_1y_volatility: MetricPattern4::new(client.clone(), "price_1y_volatility".to_string()), + price_1m_volatility: MetricPattern4::new( + client.clone(), + "price_1m_volatility".to_string(), + ), + price_1w_volatility: MetricPattern4::new( + client.clone(), + "price_1w_volatility".to_string(), + ), + price_1y_volatility: MetricPattern4::new( + client.clone(), + "price_1y_volatility".to_string(), + ), sharpe_1m: MetricPattern6::new(client.clone(), "sharpe_1m".to_string()), sharpe_1w: MetricPattern6::new(client.clone(), "sharpe_1w".to_string()), sharpe_1y: MetricPattern6::new(client.clone(), "sharpe_1y".to_string()), @@ -6044,7 +7144,10 @@ impl MetricsTree_Pools_Vecs { binancepool: AaopoolPattern::new(client.clone(), "binancepool".to_string()), bitalo: AaopoolPattern::new(client.clone(), "bitalo".to_string()), bitclub: AaopoolPattern::new(client.clone(), "bitclub".to_string()), - bitcoinaffiliatenetwork: AaopoolPattern::new(client.clone(), "bitcoinaffiliatenetwork".to_string()), + bitcoinaffiliatenetwork: AaopoolPattern::new( + client.clone(), + "bitcoinaffiliatenetwork".to_string(), + ), bitcoincom: AaopoolPattern::new(client.clone(), "bitcoincom".to_string()), bitcoinindia: AaopoolPattern::new(client.clone(), "bitcoinindia".to_string()), bitcoinrussia: AaopoolPattern::new(client.clone(), "bitcoinrussia".to_string()), @@ -6090,13 +7193,19 @@ impl MetricsTree_Pools_Vecs { ekanembtc: AaopoolPattern::new(client.clone(), "ekanembtc".to_string()), eligius: AaopoolPattern::new(client.clone(), "eligius".to_string()), emcdpool: AaopoolPattern::new(client.clone(), "emcdpool".to_string()), - entrustcharitypool: AaopoolPattern::new(client.clone(), "entrustcharitypool".to_string()), + entrustcharitypool: AaopoolPattern::new( + client.clone(), + "entrustcharitypool".to_string(), + ), eobot: AaopoolPattern::new(client.clone(), "eobot".to_string()), exxbw: AaopoolPattern::new(client.clone(), "exxbw".to_string()), f2pool: AaopoolPattern::new(client.clone(), "f2pool".to_string()), fiftyeightcoin: AaopoolPattern::new(client.clone(), "fiftyeightcoin".to_string()), foundryusa: AaopoolPattern::new(client.clone(), "foundryusa".to_string()), - futurebitapollosolo: AaopoolPattern::new(client.clone(), "futurebitapollosolo".to_string()), + futurebitapollosolo: AaopoolPattern::new( + client.clone(), + "futurebitapollosolo".to_string(), + ), gbminers: AaopoolPattern::new(client.clone(), "gbminers".to_string()), ghashio: AaopoolPattern::new(client.clone(), "ghashio".to_string()), givemecoins: AaopoolPattern::new(client.clone(), "givemecoins".to_string()), @@ -6177,7 +7286,10 @@ impl MetricsTree_Pools_Vecs { tiger: AaopoolPattern::new(client.clone(), "tiger".to_string()), tigerpoolnet: AaopoolPattern::new(client.clone(), "tigerpoolnet".to_string()), titan: AaopoolPattern::new(client.clone(), "titan".to_string()), - transactioncoinmining: AaopoolPattern::new(client.clone(), "transactioncoinmining".to_string()), + transactioncoinmining: AaopoolPattern::new( + client.clone(), + "transactioncoinmining".to_string(), + ), trickysbtcpool: AaopoolPattern::new(client.clone(), "trickysbtcpool".to_string()), triplemining: AaopoolPattern::new(client.clone(), "triplemining".to_string()), twentyoneinc: AaopoolPattern::new(client.clone(), "twentyoneinc".to_string()), @@ -6275,7 +7387,7 @@ impl MetricsTree_Price_Oracle { pub fn new(client: Arc, base_path: String) -> Self { Self { ohlc_cents: MetricPattern6::new(client.clone(), "oracle_ohlc_cents".to_string()), - ohlc_dollars: MetricPattern6::new(client.clone(), "oracle_ohlc_dollars".to_string()), + ohlc_dollars: MetricPattern6::new(client.clone(), "oracle_ohlc".to_string()), price_cents: MetricPattern11::new(client.clone(), "orange_price_cents".to_string()), tx_count: MetricPattern6::new(client.clone(), "oracle_tx_count".to_string()), } @@ -6301,10 +7413,22 @@ impl MetricsTree_Scripts { Self { count: MetricsTree_Scripts_Count::new(client.clone(), format!("{base_path}_count")), empty_to_txindex: MetricPattern9::new(client.clone(), "txindex".to_string()), - first_emptyoutputindex: MetricPattern11::new(client.clone(), "first_emptyoutputindex".to_string()), - first_opreturnindex: MetricPattern11::new(client.clone(), "first_opreturnindex".to_string()), - first_p2msoutputindex: MetricPattern11::new(client.clone(), "first_p2msoutputindex".to_string()), - first_unknownoutputindex: MetricPattern11::new(client.clone(), "first_unknownoutputindex".to_string()), + first_emptyoutputindex: MetricPattern11::new( + client.clone(), + "first_emptyoutputindex".to_string(), + ), + first_opreturnindex: MetricPattern11::new( + client.clone(), + "first_opreturnindex".to_string(), + ), + first_p2msoutputindex: MetricPattern11::new( + client.clone(), + "first_p2msoutputindex".to_string(), + ), + first_unknownoutputindex: MetricPattern11::new( + client.clone(), + "first_unknownoutputindex".to_string(), + ), opreturn_to_txindex: MetricPattern14::new(client.clone(), "txindex".to_string()), p2ms_to_txindex: MetricPattern17::new(client.clone(), "txindex".to_string()), unknown_to_txindex: MetricPattern28::new(client.clone(), "txindex".to_string()), @@ -6347,8 +7471,14 @@ impl MetricsTree_Scripts_Count { p2wpkh: DollarsPattern::new(client.clone(), "p2wpkh_count".to_string()), p2wsh: DollarsPattern::new(client.clone(), "p2wsh_count".to_string()), segwit: DollarsPattern::new(client.clone(), "segwit_count".to_string()), - segwit_adoption: SegwitAdoptionPattern::new(client.clone(), "segwit_adoption".to_string()), - taproot_adoption: SegwitAdoptionPattern::new(client.clone(), "taproot_adoption".to_string()), + segwit_adoption: SegwitAdoptionPattern::new( + client.clone(), + "segwit_adoption".to_string(), + ), + taproot_adoption: SegwitAdoptionPattern::new( + client.clone(), + "taproot_adoption".to_string(), + ), unknownoutput: DollarsPattern::new(client.clone(), "unknownoutput_count".to_string()), } } @@ -6380,10 +7510,16 @@ impl MetricsTree_Supply { pub fn new(client: Arc, base_path: String) -> Self { Self { burned: MetricsTree_Supply_Burned::new(client.clone(), format!("{base_path}_burned")), - circulating: MetricsTree_Supply_Circulating::new(client.clone(), format!("{base_path}_circulating")), + circulating: MetricsTree_Supply_Circulating::new( + client.clone(), + format!("{base_path}_circulating"), + ), inflation: MetricPattern4::new(client.clone(), "inflation_rate".to_string()), market_cap: MetricPattern1::new(client.clone(), "market_cap".to_string()), - velocity: MetricsTree_Supply_Velocity::new(client.clone(), format!("{base_path}_velocity")), + velocity: MetricsTree_Supply_Velocity::new( + client.clone(), + format!("{base_path}_velocity"), + ), } } } @@ -6398,7 +7534,10 @@ impl MetricsTree_Supply_Burned { pub fn new(client: Arc, base_path: String) -> Self { Self { opreturn: UnclaimedRewardsPattern::new(client.clone(), "opreturn_supply".to_string()), - unspendable: UnclaimedRewardsPattern::new(client.clone(), "unspendable_supply".to_string()), + unspendable: UnclaimedRewardsPattern::new( + client.clone(), + "unspendable_supply".to_string(), + ), } } } @@ -6458,20 +7597,32 @@ impl MetricsTree_Transactions { pub fn new(client: Arc, base_path: String) -> Self { Self { base_size: MetricPattern27::new(client.clone(), "base_size".to_string()), - count: MetricsTree_Transactions_Count::new(client.clone(), format!("{base_path}_count")), + count: MetricsTree_Transactions_Count::new( + client.clone(), + format!("{base_path}_count"), + ), fees: MetricsTree_Transactions_Fees::new(client.clone(), format!("{base_path}_fees")), first_txindex: MetricPattern11::new(client.clone(), "first_txindex".to_string()), first_txinindex: MetricPattern27::new(client.clone(), "first_txinindex".to_string()), first_txoutindex: MetricPattern27::new(client.clone(), "first_txoutindex".to_string()), height: MetricPattern27::new(client.clone(), "height".to_string()), - is_explicitly_rbf: MetricPattern27::new(client.clone(), "is_explicitly_rbf".to_string()), + is_explicitly_rbf: MetricPattern27::new( + client.clone(), + "is_explicitly_rbf".to_string(), + ), rawlocktime: MetricPattern27::new(client.clone(), "rawlocktime".to_string()), size: MetricsTree_Transactions_Size::new(client.clone(), format!("{base_path}_size")), total_size: MetricPattern27::new(client.clone(), "total_size".to_string()), txid: MetricPattern27::new(client.clone(), "txid".to_string()), txversion: MetricPattern27::new(client.clone(), "txversion".to_string()), - versions: MetricsTree_Transactions_Versions::new(client.clone(), format!("{base_path}_versions")), - volume: MetricsTree_Transactions_Volume::new(client.clone(), format!("{base_path}_volume")), + versions: MetricsTree_Transactions_Versions::new( + client.clone(), + format!("{base_path}_versions"), + ), + volume: MetricsTree_Transactions_Volume::new( + client.clone(), + format!("{base_path}_volume"), + ), } } } @@ -6522,7 +7673,10 @@ impl MetricsTree_Transactions_Fees_Fee { pub fn new(client: Arc, base_path: String) -> Self { Self { bitcoin: CountPattern2::new(client.clone(), "fee_btc".to_string()), - dollars: MetricsTree_Transactions_Fees_Fee_Dollars::new(client.clone(), format!("{base_path}_dollars")), + dollars: MetricsTree_Transactions_Fees_Fee_Dollars::new( + client.clone(), + format!("{base_path}_dollars"), + ), sats: CountPattern2::new(client.clone(), "fee".to_string()), txindex: MetricPattern27::new(client.clone(), "fee".to_string()), } @@ -6549,7 +7703,10 @@ impl MetricsTree_Transactions_Fees_Fee_Dollars { Self { average: MetricPattern1::new(client.clone(), "fee_usd_average".to_string()), cumulative: MetricPattern2::new(client.clone(), "fee_usd_cumulative".to_string()), - height_cumulative: MetricPattern11::new(client.clone(), "fee_usd_cumulative".to_string()), + height_cumulative: MetricPattern11::new( + client.clone(), + "fee_usd_cumulative".to_string(), + ), max: MetricPattern1::new(client.clone(), "fee_usd_max".to_string()), median: MetricPattern11::new(client.clone(), "fee_usd_median".to_string()), min: MetricPattern1::new(client.clone(), "fee_usd_min".to_string()), @@ -6655,12 +7812,12 @@ impl BrkClient { /// .last(10) /// .json::()?; /// ``` - pub fn metric(&self, metric: impl Into, index: Index) -> MetricEndpointBuilder { - MetricEndpointBuilder::new( - self.base.clone(), - Arc::from(metric.into().as_str()), - index, - ) + pub fn metric( + &self, + metric: impl Into, + index: Index, + ) -> MetricEndpointBuilder { + MetricEndpointBuilder::new(self.base.clone(), Arc::from(metric.into().as_str()), index) } /// Address information @@ -6681,11 +7838,24 @@ impl BrkClient { /// *[Mempool.space docs](https://mempool.space/docs/api/rest#get-address-transactions)* /// /// Endpoint: `GET /api/address/{address}/txs` - pub fn get_address_txs(&self, address: Address, after_txid: Option<&str>, limit: Option) -> Result> { + pub fn get_address_txs( + &self, + address: Address, + after_txid: Option<&str>, + limit: Option, + ) -> Result> { let mut query = Vec::new(); - if let Some(v) = after_txid { query.push(format!("after_txid={}", v)); } - if let Some(v) = limit { query.push(format!("limit={}", v)); } - let query_str = if query.is_empty() { String::new() } else { format!("?{}", query.join("&")) }; + if let Some(v) = after_txid { + query.push(format!("after_txid={}", v)); + } + if let Some(v) = limit { + query.push(format!("limit={}", v)); + } + let query_str = if query.is_empty() { + String::new() + } else { + format!("?{}", query.join("&")) + }; let path = format!("/api/address/{address}/txs{}", query_str); self.base.get_json(&path) } @@ -6697,11 +7867,24 @@ impl BrkClient { /// *[Mempool.space docs](https://mempool.space/docs/api/rest#get-address-transactions-chain)* /// /// Endpoint: `GET /api/address/{address}/txs/chain` - pub fn get_address_confirmed_txs(&self, address: Address, after_txid: Option<&str>, limit: Option) -> Result> { + pub fn get_address_confirmed_txs( + &self, + address: Address, + after_txid: Option<&str>, + limit: Option, + ) -> Result> { let mut query = Vec::new(); - if let Some(v) = after_txid { query.push(format!("after_txid={}", v)); } - if let Some(v) = limit { query.push(format!("limit={}", v)); } - let query_str = if query.is_empty() { String::new() } else { format!("?{}", query.join("&")) }; + if let Some(v) = after_txid { + query.push(format!("after_txid={}", v)); + } + if let Some(v) = limit { + query.push(format!("limit={}", v)); + } + let query_str = if query.is_empty() { + String::new() + } else { + format!("?{}", query.join("&")) + }; let path = format!("/api/address/{address}/txs/chain{}", query_str); self.base.get_json(&path) } @@ -6714,7 +7897,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/address/{address}/txs/mempool` pub fn get_address_mempool_txs(&self, address: Address) -> Result> { - self.base.get_json(&format!("/api/address/{address}/txs/mempool")) + self.base + .get_json(&format!("/api/address/{address}/txs/mempool")) } /// Address UTXOs @@ -6780,7 +7964,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/block/{hash}/txid/{index}` pub fn get_block_txid(&self, hash: BlockHash, index: TxIndex) -> Result { - self.base.get_json(&format!("/api/block/{hash}/txid/{index}")) + self.base + .get_json(&format!("/api/block/{hash}/txid/{index}")) } /// Block transaction IDs @@ -6802,7 +7987,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/block/{hash}/txs/{start_index}` pub fn get_block_txs(&self, hash: BlockHash, start_index: TxIndex) -> Result> { - self.base.get_json(&format!("/api/block/{hash}/txs/{start_index}")) + self.base + .get_json(&format!("/api/block/{hash}/txs/{start_index}")) } /// Recent blocks @@ -6863,14 +8049,38 @@ impl BrkClient { /// Fetch data for a specific metric at the given index. Use query parameters to filter by date range and format (json/csv). /// /// Endpoint: `GET /api/metric/{metric}/{index}` - pub fn get_metric(&self, metric: Metric, index: Index, start: Option, end: Option, limit: Option<&str>, format: Option) -> Result> { + pub fn get_metric( + &self, + metric: Metric, + index: Index, + start: Option, + end: Option, + limit: Option<&str>, + format: Option, + ) -> Result> { let mut query = Vec::new(); - if let Some(v) = start { query.push(format!("start={}", v)); } - if let Some(v) = end { query.push(format!("end={}", v)); } - if let Some(v) = limit { query.push(format!("limit={}", v)); } - if let Some(v) = format { query.push(format!("format={}", v)); } - let query_str = if query.is_empty() { String::new() } else { format!("?{}", query.join("&")) }; - let path = format!("/api/metric/{metric}/{}{}", index.serialize_long(), query_str); + if let Some(v) = start { + query.push(format!("start={}", v)); + } + if let Some(v) = end { + query.push(format!("end={}", v)); + } + if let Some(v) = limit { + query.push(format!("limit={}", v)); + } + if let Some(v) = format { + query.push(format!("format={}", v)); + } + let query_str = if query.is_empty() { + String::new() + } else { + format!("?{}", query.join("&")) + }; + let path = format!( + "/api/metric/{metric}/{}{}", + index.serialize_long(), + query_str + ); if format == Some(Format::CSV) { self.base.get_text(&path).map(FormatResponse::Csv) } else { @@ -6892,15 +8102,35 @@ impl BrkClient { /// Fetch multiple metrics in a single request. Supports filtering by index and date range. Returns an array of MetricData objects. For a single metric, use `get_metric` instead. /// /// Endpoint: `GET /api/metrics/bulk` - pub fn get_metrics(&self, metrics: Metrics, index: Index, start: Option, end: Option, limit: Option<&str>, format: Option) -> Result>> { + pub fn get_metrics( + &self, + metrics: Metrics, + index: Index, + start: Option, + end: Option, + limit: Option<&str>, + format: Option, + ) -> Result>> { let mut query = Vec::new(); query.push(format!("metrics={}", metrics)); query.push(format!("index={}", index)); - if let Some(v) = start { query.push(format!("start={}", v)); } - if let Some(v) = end { query.push(format!("end={}", v)); } - if let Some(v) = limit { query.push(format!("limit={}", v)); } - if let Some(v) = format { query.push(format!("format={}", v)); } - let query_str = if query.is_empty() { String::new() } else { format!("?{}", query.join("&")) }; + if let Some(v) = start { + query.push(format!("start={}", v)); + } + if let Some(v) = end { + query.push(format!("end={}", v)); + } + if let Some(v) = limit { + query.push(format!("limit={}", v)); + } + if let Some(v) = format { + query.push(format!("format={}", v)); + } + let query_str = if query.is_empty() { + String::new() + } else { + format!("?{}", query.join("&")) + }; let path = format!("/api/metrics/bulk{}", query_str); if format == Some(Format::CSV) { self.base.get_text(&path).map(FormatResponse::Csv) @@ -6934,8 +8164,14 @@ impl BrkClient { /// Endpoint: `GET /api/metrics/list` pub fn list_metrics(&self, page: Option) -> Result { let mut query = Vec::new(); - if let Some(v) = page { query.push(format!("page={}", v)); } - let query_str = if query.is_empty() { String::new() } else { format!("?{}", query.join("&")) }; + if let Some(v) = page { + query.push(format!("page={}", v)); + } + let query_str = if query.is_empty() { + String::new() + } else { + format!("?{}", query.join("&")) + }; let path = format!("/api/metrics/list{}", query_str); self.base.get_json(&path) } @@ -6947,8 +8183,14 @@ impl BrkClient { /// Endpoint: `GET /api/metrics/search/{metric}` pub fn search_metrics(&self, metric: Metric, limit: Option) -> Result> { let mut query = Vec::new(); - if let Some(v) = limit { query.push(format!("limit={}", v)); } - let query_str = if query.is_empty() { String::new() } else { format!("?{}", query.join("&")) }; + if let Some(v) = limit { + query.push(format!("limit={}", v)); + } + let query_str = if query.is_empty() { + String::new() + } else { + format!("?{}", query.join("&")) + }; let path = format!("/api/metrics/search/{metric}{}", query_str); self.base.get_json(&path) } @@ -7001,7 +8243,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/tx/{txid}/outspend/{vout}` pub fn get_tx_outspend(&self, txid: Txid, vout: Vout) -> Result { - self.base.get_json(&format!("/api/tx/{txid}/outspend/{vout}")) + self.base + .get_json(&format!("/api/tx/{txid}/outspend/{vout}")) } /// All output spend statuses @@ -7034,7 +8277,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/difficulty-adjustment` pub fn get_difficulty_adjustment(&self) -> Result { - self.base.get_json(&format!("/api/v1/difficulty-adjustment")) + self.base + .get_json(&format!("/api/v1/difficulty-adjustment")) } /// Projected mempool blocks @@ -7067,7 +8311,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/blocks/fee-rates/{time_period}` pub fn get_block_fee_rates(&self, time_period: TimePeriod) -> Result { - self.base.get_json(&format!("/api/v1/mining/blocks/fee-rates/{time_period}")) + self.base + .get_json(&format!("/api/v1/mining/blocks/fee-rates/{time_period}")) } /// Block fees @@ -7078,7 +8323,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/blocks/fees/{time_period}` pub fn get_block_fees(&self, time_period: TimePeriod) -> Result> { - self.base.get_json(&format!("/api/v1/mining/blocks/fees/{time_period}")) + self.base + .get_json(&format!("/api/v1/mining/blocks/fees/{time_period}")) } /// Block rewards @@ -7089,7 +8335,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/blocks/rewards/{time_period}` pub fn get_block_rewards(&self, time_period: TimePeriod) -> Result> { - self.base.get_json(&format!("/api/v1/mining/blocks/rewards/{time_period}")) + self.base + .get_json(&format!("/api/v1/mining/blocks/rewards/{time_period}")) } /// Block sizes and weights @@ -7100,7 +8347,9 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/blocks/sizes-weights/{time_period}` pub fn get_block_sizes_weights(&self, time_period: TimePeriod) -> Result { - self.base.get_json(&format!("/api/v1/mining/blocks/sizes-weights/{time_period}")) + self.base.get_json(&format!( + "/api/v1/mining/blocks/sizes-weights/{time_period}" + )) } /// Block by timestamp @@ -7111,7 +8360,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/blocks/timestamp/{timestamp}` pub fn get_block_by_timestamp(&self, timestamp: Timestamp) -> Result { - self.base.get_json(&format!("/api/v1/mining/blocks/timestamp/{timestamp}")) + self.base + .get_json(&format!("/api/v1/mining/blocks/timestamp/{timestamp}")) } /// Difficulty adjustments (all time) @@ -7122,7 +8372,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/difficulty-adjustments` pub fn get_difficulty_adjustments(&self) -> Result> { - self.base.get_json(&format!("/api/v1/mining/difficulty-adjustments")) + self.base + .get_json(&format!("/api/v1/mining/difficulty-adjustments")) } /// Difficulty adjustments @@ -7132,8 +8383,13 @@ impl BrkClient { /// *[Mempool.space docs](https://mempool.space/docs/api/rest#get-difficulty-adjustments)* /// /// Endpoint: `GET /api/v1/mining/difficulty-adjustments/{time_period}` - pub fn get_difficulty_adjustments_by_period(&self, time_period: TimePeriod) -> Result> { - self.base.get_json(&format!("/api/v1/mining/difficulty-adjustments/{time_period}")) + pub fn get_difficulty_adjustments_by_period( + &self, + time_period: TimePeriod, + ) -> Result> { + self.base.get_json(&format!( + "/api/v1/mining/difficulty-adjustments/{time_period}" + )) } /// Network hashrate (all time) @@ -7155,7 +8411,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/hashrate/{time_period}` pub fn get_hashrate_by_period(&self, time_period: TimePeriod) -> Result { - self.base.get_json(&format!("/api/v1/mining/hashrate/{time_period}")) + self.base + .get_json(&format!("/api/v1/mining/hashrate/{time_period}")) } /// Mining pool details @@ -7188,7 +8445,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/pools/{time_period}` pub fn get_pool_stats(&self, time_period: TimePeriod) -> Result { - self.base.get_json(&format!("/api/v1/mining/pools/{time_period}")) + self.base + .get_json(&format!("/api/v1/mining/pools/{time_period}")) } /// Mining reward statistics @@ -7199,7 +8457,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/mining/reward-stats/{block_count}` pub fn get_reward_stats(&self, block_count: i64) -> Result { - self.base.get_json(&format!("/api/v1/mining/reward-stats/{block_count}")) + self.base + .get_json(&format!("/api/v1/mining/reward-stats/{block_count}")) } /// Validate address @@ -7210,7 +8469,8 @@ impl BrkClient { /// /// Endpoint: `GET /api/v1/validate-address/{address}` pub fn validate_address(&self, address: &str) -> Result { - self.base.get_json(&format!("/api/v1/validate-address/{address}")) + self.base + .get_json(&format!("/api/v1/validate-address/{address}")) } /// Health check @@ -7230,5 +8490,4 @@ impl BrkClient { pub fn get_version(&self) -> Result { self.base.get_json(&format!("/version")) } - } diff --git a/modules/brk-client/index.js b/modules/brk-client/index.js index 5b7258d89..797f4e2d5 100644 --- a/modules/brk-client/index.js +++ b/modules/brk-client/index.js @@ -3155,7 +3155,7 @@ function createAaopoolPattern(client, acc) { /** * @template T - * @typedef {Object} PriceAgoPattern + * @typedef {Object} LookbackPattern * @property {MetricPattern4} _10y * @property {MetricPattern4} _1d * @property {MetricPattern4} _1m @@ -3172,13 +3172,13 @@ function createAaopoolPattern(client, acc) { */ /** - * Create a PriceAgoPattern pattern node + * Create a LookbackPattern pattern node * @template T * @param {BrkClientBase} client * @param {string} acc - Accumulated metric name - * @returns {PriceAgoPattern} + * @returns {LookbackPattern} */ -function createPriceAgoPattern(client, acc) { +function createLookbackPattern(client, acc) { return { _10y: createMetricPattern4(client, _m(acc, "10y_ago")), _1d: createMetricPattern4(client, _m(acc, "1d_ago")), @@ -3338,17 +3338,17 @@ function createBitcoinPattern(client, acc) { */ function createClassAveragePricePattern(client, acc) { return { - _2015: createMetricPattern4(client, _m(acc, "2015_returns")), - _2016: createMetricPattern4(client, _m(acc, "2016_returns")), - _2017: createMetricPattern4(client, _m(acc, "2017_returns")), - _2018: createMetricPattern4(client, _m(acc, "2018_returns")), - _2019: createMetricPattern4(client, _m(acc, "2019_returns")), - _2020: createMetricPattern4(client, _m(acc, "2020_returns")), - _2021: createMetricPattern4(client, _m(acc, "2021_returns")), - _2022: createMetricPattern4(client, _m(acc, "2022_returns")), - _2023: createMetricPattern4(client, _m(acc, "2023_returns")), - _2024: createMetricPattern4(client, _m(acc, "2024_returns")), - _2025: createMetricPattern4(client, _m(acc, "2025_returns")), + _2015: createMetricPattern4(client, _m(acc, "2015_average_price")), + _2016: createMetricPattern4(client, _m(acc, "2016_average_price")), + _2017: createMetricPattern4(client, _m(acc, "2017_average_price")), + _2018: createMetricPattern4(client, _m(acc, "2018_average_price")), + _2019: createMetricPattern4(client, _m(acc, "2019_average_price")), + _2020: createMetricPattern4(client, _m(acc, "2020_average_price")), + _2021: createMetricPattern4(client, _m(acc, "2021_average_price")), + _2022: createMetricPattern4(client, _m(acc, "2022_average_price")), + _2023: createMetricPattern4(client, _m(acc, "2023_average_price")), + _2024: createMetricPattern4(client, _m(acc, "2024_average_price")), + _2025: createMetricPattern4(client, _m(acc, "2025_average_price")), }; } @@ -3391,68 +3391,6 @@ function createDollarsPattern(client, acc) { }; } -/** - * @typedef {Object} RelativePattern - * @property {MetricPattern1} negUnrealizedLossRelToMarketCap - * @property {MetricPattern1} netUnrealizedPnlRelToMarketCap - * @property {MetricPattern1} nupl - * @property {MetricPattern1} supplyInLossRelToCirculatingSupply - * @property {MetricPattern1} supplyInLossRelToOwnSupply - * @property {MetricPattern1} supplyInProfitRelToCirculatingSupply - * @property {MetricPattern1} supplyInProfitRelToOwnSupply - * @property {MetricPattern4} supplyRelToCirculatingSupply - * @property {MetricPattern1} unrealizedLossRelToMarketCap - * @property {MetricPattern1} unrealizedProfitRelToMarketCap - */ - -/** - * Create a RelativePattern pattern node - * @param {BrkClientBase} client - * @param {string} acc - Accumulated metric name - * @returns {RelativePattern} - */ -function createRelativePattern(client, acc) { - return { - negUnrealizedLossRelToMarketCap: createMetricPattern1( - client, - _m(acc, "neg_unrealized_loss_rel_to_market_cap"), - ), - netUnrealizedPnlRelToMarketCap: createMetricPattern1( - client, - _m(acc, "net_unrealized_pnl_rel_to_market_cap"), - ), - nupl: createMetricPattern1(client, _m(acc, "nupl")), - supplyInLossRelToCirculatingSupply: createMetricPattern1( - client, - _m(acc, "supply_in_loss_rel_to_circulating_supply"), - ), - supplyInLossRelToOwnSupply: createMetricPattern1( - client, - _m(acc, "supply_in_loss_rel_to_own_supply"), - ), - supplyInProfitRelToCirculatingSupply: createMetricPattern1( - client, - _m(acc, "supply_in_profit_rel_to_circulating_supply"), - ), - supplyInProfitRelToOwnSupply: createMetricPattern1( - client, - _m(acc, "supply_in_profit_rel_to_own_supply"), - ), - supplyRelToCirculatingSupply: createMetricPattern4( - client, - _m(acc, "supply_rel_to_circulating_supply"), - ), - unrealizedLossRelToMarketCap: createMetricPattern1( - client, - _m(acc, "unrealized_loss_rel_to_market_cap"), - ), - unrealizedProfitRelToMarketCap: createMetricPattern1( - client, - _m(acc, "unrealized_profit_rel_to_market_cap"), - ), - }; -} - /** * @typedef {Object} RelativePattern2 * @property {MetricPattern1} negUnrealizedLossRelToOwnMarketCap @@ -3518,6 +3456,68 @@ function createRelativePattern2(client, acc) { }; } +/** + * @typedef {Object} RelativePattern + * @property {MetricPattern1} negUnrealizedLossRelToMarketCap + * @property {MetricPattern1} netUnrealizedPnlRelToMarketCap + * @property {MetricPattern1} nupl + * @property {MetricPattern1} supplyInLossRelToCirculatingSupply + * @property {MetricPattern1} supplyInLossRelToOwnSupply + * @property {MetricPattern1} supplyInProfitRelToCirculatingSupply + * @property {MetricPattern1} supplyInProfitRelToOwnSupply + * @property {MetricPattern4} supplyRelToCirculatingSupply + * @property {MetricPattern1} unrealizedLossRelToMarketCap + * @property {MetricPattern1} unrealizedProfitRelToMarketCap + */ + +/** + * Create a RelativePattern pattern node + * @param {BrkClientBase} client + * @param {string} acc - Accumulated metric name + * @returns {RelativePattern} + */ +function createRelativePattern(client, acc) { + return { + negUnrealizedLossRelToMarketCap: createMetricPattern1( + client, + _m(acc, "neg_unrealized_loss_rel_to_market_cap"), + ), + netUnrealizedPnlRelToMarketCap: createMetricPattern1( + client, + _m(acc, "net_unrealized_pnl_rel_to_market_cap"), + ), + nupl: createMetricPattern1(client, _m(acc, "nupl")), + supplyInLossRelToCirculatingSupply: createMetricPattern1( + client, + _m(acc, "supply_in_loss_rel_to_circulating_supply"), + ), + supplyInLossRelToOwnSupply: createMetricPattern1( + client, + _m(acc, "supply_in_loss_rel_to_own_supply"), + ), + supplyInProfitRelToCirculatingSupply: createMetricPattern1( + client, + _m(acc, "supply_in_profit_rel_to_circulating_supply"), + ), + supplyInProfitRelToOwnSupply: createMetricPattern1( + client, + _m(acc, "supply_in_profit_rel_to_own_supply"), + ), + supplyRelToCirculatingSupply: createMetricPattern4( + client, + _m(acc, "supply_rel_to_circulating_supply"), + ), + unrealizedLossRelToMarketCap: createMetricPattern1( + client, + _m(acc, "unrealized_loss_rel_to_market_cap"), + ), + unrealizedProfitRelToMarketCap: createMetricPattern1( + client, + _m(acc, "unrealized_profit_rel_to_market_cap"), + ), + }; +} + /** * @template T * @typedef {Object} CountPattern2 @@ -3588,41 +3588,6 @@ function createAddrCountPattern(client, acc) { }; } -/** - * @template T - * @typedef {Object} FeeRatePattern - * @property {MetricPattern1} average - * @property {MetricPattern1} max - * @property {MetricPattern11} median - * @property {MetricPattern1} min - * @property {MetricPattern11} pct10 - * @property {MetricPattern11} pct25 - * @property {MetricPattern11} pct75 - * @property {MetricPattern11} pct90 - * @property {MetricPattern27} txindex - */ - -/** - * Create a FeeRatePattern pattern node - * @template T - * @param {BrkClientBase} client - * @param {string} acc - Accumulated metric name - * @returns {FeeRatePattern} - */ -function createFeeRatePattern(client, acc) { - return { - average: createMetricPattern1(client, _m(acc, "average")), - max: createMetricPattern1(client, _m(acc, "max")), - median: createMetricPattern11(client, _m(acc, "median")), - min: createMetricPattern1(client, _m(acc, "min")), - pct10: createMetricPattern11(client, _m(acc, "pct10")), - pct25: createMetricPattern11(client, _m(acc, "pct25")), - pct75: createMetricPattern11(client, _m(acc, "pct75")), - pct90: createMetricPattern11(client, _m(acc, "pct90")), - txindex: createMetricPattern27(client, acc), - }; -} - /** * @template T * @typedef {Object} FullnessPattern @@ -3658,6 +3623,41 @@ function createFullnessPattern(client, acc) { }; } +/** + * @template T + * @typedef {Object} FeeRatePattern + * @property {MetricPattern1} average + * @property {MetricPattern1} max + * @property {MetricPattern11} median + * @property {MetricPattern1} min + * @property {MetricPattern11} pct10 + * @property {MetricPattern11} pct25 + * @property {MetricPattern11} pct75 + * @property {MetricPattern11} pct90 + * @property {MetricPattern27} txindex + */ + +/** + * Create a FeeRatePattern pattern node + * @template T + * @param {BrkClientBase} client + * @param {string} acc - Accumulated metric name + * @returns {FeeRatePattern} + */ +function createFeeRatePattern(client, acc) { + return { + average: createMetricPattern1(client, _m(acc, "average")), + max: createMetricPattern1(client, _m(acc, "max")), + median: createMetricPattern11(client, _m(acc, "median")), + min: createMetricPattern1(client, _m(acc, "min")), + pct10: createMetricPattern11(client, _m(acc, "pct10")), + pct25: createMetricPattern11(client, _m(acc, "pct25")), + pct75: createMetricPattern11(client, _m(acc, "pct75")), + pct90: createMetricPattern11(client, _m(acc, "pct90")), + txindex: createMetricPattern27(client, acc), + }; +} + /** * @typedef {Object} _0satsPattern * @property {ActivityPattern2} activity @@ -3689,6 +3689,50 @@ function create_0satsPattern(client, acc) { }; } +/** + * @typedef {Object} UnrealizedPattern + * @property {MetricPattern1} negUnrealizedLoss + * @property {MetricPattern1} netUnrealizedPnl + * @property {ActiveSupplyPattern} supplyInLoss + * @property {ActiveSupplyPattern} supplyInProfit + * @property {MetricPattern1} totalUnrealizedPnl + * @property {MetricPattern1} unrealizedLoss + * @property {MetricPattern1} unrealizedProfit + */ + +/** + * Create a UnrealizedPattern pattern node + * @param {BrkClientBase} client + * @param {string} acc - Accumulated metric name + * @returns {UnrealizedPattern} + */ +function createUnrealizedPattern(client, acc) { + return { + negUnrealizedLoss: createMetricPattern1( + client, + _m(acc, "neg_unrealized_loss"), + ), + netUnrealizedPnl: createMetricPattern1( + client, + _m(acc, "net_unrealized_pnl"), + ), + supplyInLoss: createActiveSupplyPattern(client, _m(acc, "supply_in_loss")), + supplyInProfit: createActiveSupplyPattern( + client, + _m(acc, "supply_in_profit"), + ), + totalUnrealizedPnl: createMetricPattern1( + client, + _m(acc, "total_unrealized_pnl"), + ), + unrealizedLoss: createMetricPattern1(client, _m(acc, "unrealized_loss")), + unrealizedProfit: createMetricPattern1( + client, + _m(acc, "unrealized_profit"), + ), + }; +} + /** * @typedef {Object} _100btcPattern * @property {ActivityPattern2} activity @@ -3719,29 +3763,29 @@ function create_100btcPattern(client, acc) { } /** - * @typedef {Object} _10yTo12yPattern + * @typedef {Object} _10yPattern * @property {ActivityPattern2} activity - * @property {CostBasisPattern2} costBasis + * @property {CostBasisPattern} costBasis * @property {OutputsPattern} outputs - * @property {RealizedPattern2} realized - * @property {RelativePattern2} relative + * @property {RealizedPattern4} realized + * @property {RelativePattern} relative * @property {SupplyPattern2} supply * @property {UnrealizedPattern} unrealized */ /** - * Create a _10yTo12yPattern pattern node + * Create a _10yPattern pattern node * @param {BrkClientBase} client * @param {string} acc - Accumulated metric name - * @returns {_10yTo12yPattern} + * @returns {_10yPattern} */ -function create_10yTo12yPattern(client, acc) { +function create_10yPattern(client, acc) { return { activity: createActivityPattern2(client, acc), - costBasis: createCostBasisPattern2(client, acc), + costBasis: createCostBasisPattern(client, acc), outputs: createOutputsPattern(client, _m(acc, "utxo_count")), - realized: createRealizedPattern2(client, acc), - relative: createRelativePattern2(client, acc), + realized: createRealizedPattern4(client, acc), + relative: createRelativePattern(client, acc), supply: createSupplyPattern2(client, _m(acc, "supply")), unrealized: createUnrealizedPattern(client, acc), }; @@ -3806,73 +3850,29 @@ function create_0satsPattern2(client, acc) { } /** - * @typedef {Object} UnrealizedPattern - * @property {MetricPattern1} negUnrealizedLoss - * @property {MetricPattern1} netUnrealizedPnl - * @property {ActiveSupplyPattern} supplyInLoss - * @property {ActiveSupplyPattern} supplyInProfit - * @property {MetricPattern1} totalUnrealizedPnl - * @property {MetricPattern1} unrealizedLoss - * @property {MetricPattern1} unrealizedProfit - */ - -/** - * Create a UnrealizedPattern pattern node - * @param {BrkClientBase} client - * @param {string} acc - Accumulated metric name - * @returns {UnrealizedPattern} - */ -function createUnrealizedPattern(client, acc) { - return { - negUnrealizedLoss: createMetricPattern1( - client, - _m(acc, "neg_unrealized_loss"), - ), - netUnrealizedPnl: createMetricPattern1( - client, - _m(acc, "net_unrealized_pnl"), - ), - supplyInLoss: createActiveSupplyPattern(client, _m(acc, "supply_in_loss")), - supplyInProfit: createActiveSupplyPattern( - client, - _m(acc, "supply_in_profit"), - ), - totalUnrealizedPnl: createMetricPattern1( - client, - _m(acc, "total_unrealized_pnl"), - ), - unrealizedLoss: createMetricPattern1(client, _m(acc, "unrealized_loss")), - unrealizedProfit: createMetricPattern1( - client, - _m(acc, "unrealized_profit"), - ), - }; -} - -/** - * @typedef {Object} _10yPattern + * @typedef {Object} _10yTo12yPattern * @property {ActivityPattern2} activity - * @property {CostBasisPattern} costBasis + * @property {CostBasisPattern2} costBasis * @property {OutputsPattern} outputs - * @property {RealizedPattern4} realized - * @property {RelativePattern} relative + * @property {RealizedPattern2} realized + * @property {RelativePattern2} relative * @property {SupplyPattern2} supply * @property {UnrealizedPattern} unrealized */ /** - * Create a _10yPattern pattern node + * Create a _10yTo12yPattern pattern node * @param {BrkClientBase} client * @param {string} acc - Accumulated metric name - * @returns {_10yPattern} + * @returns {_10yTo12yPattern} */ -function create_10yPattern(client, acc) { +function create_10yTo12yPattern(client, acc) { return { activity: createActivityPattern2(client, acc), - costBasis: createCostBasisPattern(client, acc), + costBasis: createCostBasisPattern2(client, acc), outputs: createOutputsPattern(client, _m(acc, "utxo_count")), - realized: createRealizedPattern4(client, acc), - relative: createRelativePattern(client, acc), + realized: createRealizedPattern2(client, acc), + relative: createRelativePattern2(client, acc), supply: createSupplyPattern2(client, _m(acc, "supply")), unrealized: createUnrealizedPattern(client, acc), }; @@ -3940,69 +3940,6 @@ function createSplitPattern2(client, acc) { }; } -/** - * @typedef {Object} ActiveSupplyPattern - * @property {MetricPattern1} bitcoin - * @property {MetricPattern1} dollars - * @property {MetricPattern1} sats - */ - -/** - * Create a ActiveSupplyPattern pattern node - * @param {BrkClientBase} client - * @param {string} acc - Accumulated metric name - * @returns {ActiveSupplyPattern} - */ -function createActiveSupplyPattern(client, acc) { - return { - bitcoin: createMetricPattern1(client, _m(acc, "btc")), - dollars: createMetricPattern1(client, _m(acc, "usd")), - sats: createMetricPattern1(client, acc), - }; -} - -/** - * @typedef {Object} CoinbasePattern - * @property {BitcoinPattern} bitcoin - * @property {DollarsPattern} dollars - * @property {DollarsPattern} sats - */ - -/** - * Create a CoinbasePattern pattern node - * @param {BrkClientBase} client - * @param {string} acc - Accumulated metric name - * @returns {CoinbasePattern} - */ -function createCoinbasePattern(client, acc) { - return { - bitcoin: createBitcoinPattern(client, _m(acc, "btc")), - dollars: createDollarsPattern(client, _m(acc, "usd")), - sats: createDollarsPattern(client, acc), - }; -} - -/** - * @typedef {Object} CoinbasePattern2 - * @property {BlockCountPattern} bitcoin - * @property {BlockCountPattern} dollars - * @property {BlockCountPattern} sats - */ - -/** - * Create a CoinbasePattern2 pattern node - * @param {BrkClientBase} client - * @param {string} acc - Accumulated metric name - * @returns {CoinbasePattern2} - */ -function createCoinbasePattern2(client, acc) { - return { - bitcoin: createBlockCountPattern(client, _m(acc, "btc")), - dollars: createBlockCountPattern(client, _m(acc, "usd")), - sats: createBlockCountPattern(client, acc), - }; -} - /** * @typedef {Object} SegwitAdoptionPattern * @property {MetricPattern11} base @@ -4045,6 +3982,27 @@ function createCostBasisPattern2(client, acc) { }; } +/** + * @typedef {Object} ActiveSupplyPattern + * @property {MetricPattern1} bitcoin + * @property {MetricPattern1} dollars + * @property {MetricPattern1} sats + */ + +/** + * Create a ActiveSupplyPattern pattern node + * @param {BrkClientBase} client + * @param {string} acc - Accumulated metric name + * @returns {ActiveSupplyPattern} + */ +function createActiveSupplyPattern(client, acc) { + return { + bitcoin: createMetricPattern1(client, _m(acc, "btc")), + dollars: createMetricPattern1(client, _m(acc, "usd")), + sats: createMetricPattern1(client, acc), + }; +} + /** * @typedef {Object} UnclaimedRewardsPattern * @property {BitcoinPattern2} bitcoin @@ -4088,21 +4046,44 @@ function create_2015Pattern(client, acc) { } /** - * @typedef {Object} _1dReturns1mSdPattern - * @property {MetricPattern4} sd - * @property {MetricPattern4} sma + * @typedef {Object} CoinbasePattern + * @property {BitcoinPattern} bitcoin + * @property {DollarsPattern} dollars + * @property {DollarsPattern} sats */ /** - * Create a _1dReturns1mSdPattern pattern node + * Create a CoinbasePattern pattern node * @param {BrkClientBase} client * @param {string} acc - Accumulated metric name - * @returns {_1dReturns1mSdPattern} + * @returns {CoinbasePattern} */ -function create_1dReturns1mSdPattern(client, acc) { +function createCoinbasePattern(client, acc) { return { - sd: createMetricPattern4(client, _m(acc, "sd")), - sma: createMetricPattern4(client, _m(acc, "sma")), + bitcoin: createBitcoinPattern(client, _m(acc, "btc")), + dollars: createDollarsPattern(client, _m(acc, "usd")), + sats: createDollarsPattern(client, acc), + }; +} + +/** + * @typedef {Object} CoinbasePattern2 + * @property {BlockCountPattern} bitcoin + * @property {BlockCountPattern} dollars + * @property {BlockCountPattern} sats + */ + +/** + * Create a CoinbasePattern2 pattern node + * @param {BrkClientBase} client + * @param {string} acc - Accumulated metric name + * @returns {CoinbasePattern2} + */ +function createCoinbasePattern2(client, acc) { + return { + bitcoin: createBlockCountPattern(client, _m(acc, "btc")), + dollars: createBlockCountPattern(client, _m(acc, "usd")), + sats: createBlockCountPattern(client, acc), }; } @@ -4131,6 +4112,44 @@ function createRelativePattern4(client, acc) { }; } +/** + * @typedef {Object} CostBasisPattern + * @property {MetricPattern1} max + * @property {MetricPattern1} min + */ + +/** + * Create a CostBasisPattern pattern node + * @param {BrkClientBase} client + * @param {string} acc - Accumulated metric name + * @returns {CostBasisPattern} + */ +function createCostBasisPattern(client, acc) { + return { + max: createMetricPattern1(client, _m(acc, "max_cost_basis")), + min: createMetricPattern1(client, _m(acc, "min_cost_basis")), + }; +} + +/** + * @typedef {Object} _1dReturns1mSdPattern + * @property {MetricPattern4} sd + * @property {MetricPattern4} sma + */ + +/** + * Create a _1dReturns1mSdPattern pattern node + * @param {BrkClientBase} client + * @param {string} acc - Accumulated metric name + * @returns {_1dReturns1mSdPattern} + */ +function create_1dReturns1mSdPattern(client, acc) { + return { + sd: createMetricPattern4(client, _m(acc, "sd")), + sma: createMetricPattern4(client, _m(acc, "sma")), + }; +} + /** * @typedef {Object} SupplyPattern2 * @property {ActiveSupplyPattern} halved @@ -4151,21 +4170,23 @@ function createSupplyPattern2(client, acc) { } /** - * @typedef {Object} CostBasisPattern - * @property {MetricPattern1} max - * @property {MetricPattern1} min + * @template T + * @typedef {Object} SatsPattern + * @property {MetricPattern1} ohlc + * @property {SplitPattern2} split */ /** - * Create a CostBasisPattern pattern node + * Create a SatsPattern pattern node + * @template T * @param {BrkClientBase} client * @param {string} acc - Accumulated metric name - * @returns {CostBasisPattern} + * @returns {SatsPattern} */ -function createCostBasisPattern(client, acc) { +function createSatsPattern(client, acc) { return { - max: createMetricPattern1(client, _m(acc, "max_cost_basis")), - min: createMetricPattern1(client, _m(acc, "min_cost_basis")), + ohlc: createMetricPattern1(client, _m(acc, "ohlc_sats")), + split: createSplitPattern2(client, _m(acc, "sats")), }; } @@ -4211,27 +4232,6 @@ function createBitcoinPattern2(client, acc) { }; } -/** - * @template T - * @typedef {Object} SatsPattern - * @property {MetricPattern1} ohlc - * @property {SplitPattern2} split - */ - -/** - * Create a SatsPattern pattern node - * @template T - * @param {BrkClientBase} client - * @param {string} acc - Accumulated metric name - * @returns {SatsPattern} - */ -function createSatsPattern(client, acc) { - return { - ohlc: createMetricPattern1(client, _m(acc, "ohlc_sats")), - split: createSplitPattern2(client, _m(acc, "sats")), - }; -} - /** * @typedef {Object} RealizedPriceExtraPattern * @property {MetricPattern4} ratio @@ -4628,8 +4628,8 @@ function createOutputsPattern(client, acc) { /** * @typedef {Object} MetricsTree_Distribution_UtxoCohorts_All - * @property {ActivityPattern2} activity - * @property {CostBasisPattern2} costBasis + * @property {MetricsTree_Distribution_UtxoCohorts_All_Activity} activity + * @property {MetricsTree_Distribution_UtxoCohorts_All_CostBasis} costBasis * @property {OutputsPattern} outputs * @property {RealizedPattern3} realized * @property {MetricsTree_Distribution_UtxoCohorts_All_Relative} relative @@ -4637,6 +4637,22 @@ function createOutputsPattern(client, acc) { * @property {UnrealizedPattern} unrealized */ +/** + * @typedef {Object} MetricsTree_Distribution_UtxoCohorts_All_Activity + * @property {BlockCountPattern} coinblocksDestroyed + * @property {BlockCountPattern} coindaysDestroyed + * @property {MetricPattern11} satblocksDestroyed + * @property {MetricPattern11} satdaysDestroyed + * @property {UnclaimedRewardsPattern} sent + */ + +/** + * @typedef {Object} MetricsTree_Distribution_UtxoCohorts_All_CostBasis + * @property {MetricPattern1} max + * @property {MetricPattern1} min + * @property {PercentilesPattern} percentiles + */ + /** * @typedef {Object} MetricsTree_Distribution_UtxoCohorts_All_Relative * @property {MetricPattern1} negUnrealizedLossRelToOwnTotalUnrealizedPnl @@ -5035,7 +5051,7 @@ function createOutputsPattern(client, acc) { * @property {MetricsTree_Market_Ath} ath * @property {MetricsTree_Market_Dca} dca * @property {MetricsTree_Market_Indicators} indicators - * @property {MetricsTree_Market_Lookback} lookback + * @property {LookbackPattern} lookback * @property {MetricsTree_Market_MovingAverage} movingAverage * @property {MetricsTree_Market_Range} range * @property {MetricsTree_Market_Returns} returns @@ -5102,11 +5118,6 @@ function createOutputsPattern(client, acc) { * @property {MetricPattern6} stochRsiK */ -/** - * @typedef {Object} MetricsTree_Market_Lookback - * @property {PriceAgoPattern} priceAgo - */ - /** * @typedef {Object} MetricsTree_Market_MovingAverage * @property {Price111dSmaPattern} price111dSma @@ -5171,7 +5182,24 @@ function createOutputsPattern(client, acc) { * @property {_1dReturns1mSdPattern} downside1wSd * @property {_1dReturns1mSdPattern} downside1ySd * @property {MetricPattern6} downsideReturns - * @property {PriceAgoPattern} priceReturns + * @property {MetricsTree_Market_Returns_PriceReturns} priceReturns + */ + +/** + * @typedef {Object} MetricsTree_Market_Returns_PriceReturns + * @property {MetricPattern4} _10y + * @property {MetricPattern4} _1d + * @property {MetricPattern4} _1m + * @property {MetricPattern4} _1w + * @property {MetricPattern4} _1y + * @property {MetricPattern4} _2y + * @property {MetricPattern4} _3m + * @property {MetricPattern4} _3y + * @property {MetricPattern4} _4y + * @property {MetricPattern4} _5y + * @property {MetricPattern4} _6m + * @property {MetricPattern4} _6y + * @property {MetricPattern4} _8y */ /** @@ -7334,9 +7362,7 @@ class BrkClient extends BrkClientBase { stochRsiD: createMetricPattern6(this, "stoch_rsi_d"), stochRsiK: createMetricPattern6(this, "stoch_rsi_k"), }, - lookback: { - priceAgo: createPriceAgoPattern(this, "price"), - }, + lookback: createLookbackPattern(this, "price"), movingAverage: { price111dSma: createPrice111dSmaPattern(this, "price_111d_sma"), price12dEma: createPrice111dSmaPattern(this, "price_12d_ema"), @@ -7402,7 +7428,21 @@ class BrkClient extends BrkClientBase { downside1wSd: create_1dReturns1mSdPattern(this, "downside_1w_sd"), downside1ySd: create_1dReturns1mSdPattern(this, "downside_1y_sd"), downsideReturns: createMetricPattern6(this, "downside_returns"), - priceReturns: createPriceAgoPattern(this, "price_returns"), + priceReturns: { + _10y: createMetricPattern4(this, "10y_price_returns"), + _1d: createMetricPattern4(this, "1d_price_returns"), + _1m: createMetricPattern4(this, "1m_price_returns"), + _1w: createMetricPattern4(this, "1w_price_returns"), + _1y: createMetricPattern4(this, "1y_price_returns"), + _2y: createMetricPattern4(this, "2y_price_returns"), + _3m: createMetricPattern4(this, "3m_price_returns"), + _3y: createMetricPattern4(this, "3y_price_returns"), + _4y: createMetricPattern4(this, "4y_price_returns"), + _5y: createMetricPattern4(this, "5y_price_returns"), + _6m: createMetricPattern4(this, "6m_price_returns"), + _6y: createMetricPattern4(this, "6y_price_returns"), + _8y: createMetricPattern4(this, "8y_price_returns"), + }, }, volatility: { price1mVolatility: createMetricPattern4(this, "price_1m_volatility"), @@ -7618,7 +7658,7 @@ class BrkClient extends BrkClientBase { }, oracle: { ohlcCents: createMetricPattern6(this, "oracle_ohlc_cents"), - ohlcDollars: createMetricPattern6(this, "oracle_ohlc_dollars"), + ohlcDollars: createMetricPattern6(this, "oracle_ohlc"), priceCents: createMetricPattern11(this, "orange_price_cents"), txCount: createMetricPattern6(this, "oracle_tx_count"), }, diff --git a/packages/brk_client/brk_client/__init__.py b/packages/brk_client/brk_client/__init__.py index 130aed2e9..9c35e9d45 100644 --- a/packages/brk_client/brk_client/__init__.py +++ b/packages/brk_client/brk_client/__init__.py @@ -1,12 +1,23 @@ # Auto-generated BRK Python client # Do not edit manually -from typing import TypeVar, Generic, Any, Optional, List, Literal, TypedDict, Union, Protocol, overload -from http.client import HTTPSConnection, HTTPConnection -from urllib.parse import urlparse import json +from http.client import HTTPConnection, HTTPSConnection +from typing import ( + Any, + Generic, + List, + Literal, + Optional, + Protocol, + TypedDict, + TypeVar, + Union, + overload, +) +from urllib.parse import urlparse -T = TypeVar('T') +T = TypeVar("T") # Type definitions @@ -71,7 +82,20 @@ Open = Cents OpReturnIndex = TypeIndex OutPoint = int # Type (P2PKH, P2WPKH, P2SH, P2TR, etc.) -OutputType = Literal["p2pk65", "p2pk33", "p2pkh", "p2ms", "p2sh", "opreturn", "p2wpkh", "p2wsh", "p2tr", "p2a", "empty", "unknown"] +OutputType = Literal[ + "p2pk65", + "p2pk33", + "p2pkh", + "p2ms", + "p2sh", + "opreturn", + "p2wpkh", + "p2wsh", + "p2tr", + "p2a", + "empty", + "unknown", +] P2AAddressIndex = TypeIndex U8x2 = List[int] P2ABytes = U8x2 @@ -94,7 +118,166 @@ P2WPKHAddressIndex = TypeIndex P2WPKHBytes = U8x20 P2WSHAddressIndex = TypeIndex P2WSHBytes = U8x32 -PoolSlug = Literal["unknown", "blockfills", "ultimuspool", "terrapool", "luxor", "onethash", "btccom", "bitfarms", "huobipool", "wayicn", "canoepool", "btctop", "bitcoincom", "pool175btc", "gbminers", "axbt", "asicminer", "bitminter", "bitcoinrussia", "btcserv", "simplecoinus", "btcguild", "eligius", "ozcoin", "eclipsemc", "maxbtc", "triplemining", "coinlab", "pool50btc", "ghashio", "stminingcorp", "bitparking", "mmpool", "polmine", "kncminer", "bitalo", "f2pool", "hhtt", "megabigpower", "mtred", "nmcbit", "yourbtcnet", "givemecoins", "braiinspool", "antpool", "multicoinco", "bcpoolio", "cointerra", "kanopool", "solock", "ckpool", "nicehash", "bitclub", "bitcoinaffiliatenetwork", "btcc", "bwpool", "exxbw", "bitsolo", "bitfury", "twentyoneinc", "digitalbtc", "eightbaochi", "mybtccoinpool", "tbdice", "hashpool", "nexious", "bravomining", "hotpool", "okexpool", "bcmonster", "onehash", "bixin", "tatmaspool", "viabtc", "connectbtc", "batpool", "waterhole", "dcexploration", "dcex", "btpool", "fiftyeightcoin", "bitcoinindia", "shawnp0wers", "phashio", "rigpool", "haozhuzhu", "sevenpool", "miningkings", "hashbx", "dpool", "rawpool", "haominer", "helix", "bitcoinukraine", "poolin", "secretsuperstar", "tigerpoolnet", "sigmapoolcom", "okpooltop", "hummerpool", "tangpool", "bytepool", "spiderpool", "novablock", "miningcity", "binancepool", "minerium", "lubiancom", "okkong", "aaopool", "emcdpool", "foundryusa", "sbicrypto", "arkpool", "purebtccom", "marapool", "kucoinpool", "entrustcharitypool", "okminer", "titan", "pegapool", "btcnuggets", "cloudhashing", "digitalxmintsy", "telco214", "btcpoolparty", "multipool", "transactioncoinmining", "btcdig", "trickysbtcpool", "btcmp", "eobot", "unomp", "patels", "gogreenlight", "ekanembtc", "canoe", "tiger", "onem1x", "zulupool", "secpool", "ocean", "whitepool", "wk057", "futurebitapollosolo", "carbonnegative", "portlandhodl", "phoenix", "neopool", "maxipool", "bitfufupool", "luckypool", "miningdutch", "publicpool", "miningsquared", "innopolistech", "btclab", "parasite"] +PoolSlug = Literal[ + "unknown", + "blockfills", + "ultimuspool", + "terrapool", + "luxor", + "onethash", + "btccom", + "bitfarms", + "huobipool", + "wayicn", + "canoepool", + "btctop", + "bitcoincom", + "pool175btc", + "gbminers", + "axbt", + "asicminer", + "bitminter", + "bitcoinrussia", + "btcserv", + "simplecoinus", + "btcguild", + "eligius", + "ozcoin", + "eclipsemc", + "maxbtc", + "triplemining", + "coinlab", + "pool50btc", + "ghashio", + "stminingcorp", + "bitparking", + "mmpool", + "polmine", + "kncminer", + "bitalo", + "f2pool", + "hhtt", + "megabigpower", + "mtred", + "nmcbit", + "yourbtcnet", + "givemecoins", + "braiinspool", + "antpool", + "multicoinco", + "bcpoolio", + "cointerra", + "kanopool", + "solock", + "ckpool", + "nicehash", + "bitclub", + "bitcoinaffiliatenetwork", + "btcc", + "bwpool", + "exxbw", + "bitsolo", + "bitfury", + "twentyoneinc", + "digitalbtc", + "eightbaochi", + "mybtccoinpool", + "tbdice", + "hashpool", + "nexious", + "bravomining", + "hotpool", + "okexpool", + "bcmonster", + "onehash", + "bixin", + "tatmaspool", + "viabtc", + "connectbtc", + "batpool", + "waterhole", + "dcexploration", + "dcex", + "btpool", + "fiftyeightcoin", + "bitcoinindia", + "shawnp0wers", + "phashio", + "rigpool", + "haozhuzhu", + "sevenpool", + "miningkings", + "hashbx", + "dpool", + "rawpool", + "haominer", + "helix", + "bitcoinukraine", + "poolin", + "secretsuperstar", + "tigerpoolnet", + "sigmapoolcom", + "okpooltop", + "hummerpool", + "tangpool", + "bytepool", + "spiderpool", + "novablock", + "miningcity", + "binancepool", + "minerium", + "lubiancom", + "okkong", + "aaopool", + "emcdpool", + "foundryusa", + "sbicrypto", + "arkpool", + "purebtccom", + "marapool", + "kucoinpool", + "entrustcharitypool", + "okminer", + "titan", + "pegapool", + "btcnuggets", + "cloudhashing", + "digitalxmintsy", + "telco214", + "btcpoolparty", + "multipool", + "transactioncoinmining", + "btcdig", + "trickysbtcpool", + "btcmp", + "eobot", + "unomp", + "patels", + "gogreenlight", + "ekanembtc", + "canoe", + "tiger", + "onem1x", + "zulupool", + "secpool", + "ocean", + "whitepool", + "wk057", + "futurebitapollosolo", + "carbonnegative", + "portlandhodl", + "phoenix", + "neopool", + "maxipool", + "bitfufupool", + "luckypool", + "miningdutch", + "publicpool", + "miningsquared", + "innopolistech", + "btclab", + "parasite", +] QuarterIndex = int # Transaction locktime RawLockTime = int @@ -112,7 +295,7 @@ StoredU32 = int # Fixed-size 64-bit unsigned integer optimized for on-disk storage StoredU64 = int # Time period for mining statistics. -# +# # Used to specify the lookback window for pool statistics, hashrate calculations, # and other time-based mining metrics. TimePeriod = Literal["24h", "3d", "1w", "1m", "3m", "6m", "1y", "2y", "3y"] @@ -129,13 +312,43 @@ WeekIndex = int YearIndex = int # Aggregation dimension for querying metrics. Includes time-based (date, week, month, year), # block-based (height, txindex), and address/output type indexes. -Index = Literal["dateindex", "decadeindex", "difficultyepoch", "emptyoutputindex", "halvingepoch", "height", "txinindex", "monthindex", "opreturnindex", "txoutindex", "p2aaddressindex", "p2msoutputindex", "p2pk33addressindex", "p2pk65addressindex", "p2pkhaddressindex", "p2shaddressindex", "p2traddressindex", "p2wpkhaddressindex", "p2wshaddressindex", "quarterindex", "semesterindex", "txindex", "unknownoutputindex", "weekindex", "yearindex", "loadedaddressindex", "emptyaddressindex"] +Index = Literal[ + "dateindex", + "decadeindex", + "difficultyepoch", + "emptyoutputindex", + "halvingepoch", + "height", + "txinindex", + "monthindex", + "opreturnindex", + "txoutindex", + "p2aaddressindex", + "p2msoutputindex", + "p2pk33addressindex", + "p2pk65addressindex", + "p2pkhaddressindex", + "p2shaddressindex", + "p2traddressindex", + "p2wpkhaddressindex", + "p2wshaddressindex", + "quarterindex", + "semesterindex", + "txindex", + "unknownoutputindex", + "weekindex", + "yearindex", + "loadedaddressindex", + "emptyaddressindex", +] # Hierarchical tree node for organizing metrics into categories TreeNode = Union[dict[str, "TreeNode"], "MetricLeafWithSchema"] + + class AddressChainStats(TypedDict): """ Address statistics on the blockchain (confirmed transactions only) - + Based on mempool.space's format with type_index extension. Attributes: @@ -146,6 +359,7 @@ class AddressChainStats(TypedDict): tx_count: Total number of confirmed transactions involving this address type_index: Index of this address within its type on the blockchain """ + funded_txo_count: int funded_txo_sum: Sats spent_txo_count: int @@ -153,10 +367,11 @@ class AddressChainStats(TypedDict): tx_count: int type_index: TypeIndex + class AddressMempoolStats(TypedDict): """ Address statistics in the mempool (unconfirmed transactions only) - + Based on mempool.space's format. Attributes: @@ -166,15 +381,18 @@ class AddressMempoolStats(TypedDict): spent_txo_sum: Total amount in satoshis being spent in unconfirmed transactions tx_count: Number of unconfirmed transactions involving this address """ + funded_txo_count: int funded_txo_sum: Sats spent_txo_count: int spent_txo_sum: Sats tx_count: int + class AddressParam(TypedDict): address: Address + class AddressStats(TypedDict): """ Address information compatible with mempool.space API format @@ -184,19 +402,23 @@ class AddressStats(TypedDict): chain_stats: Statistics for confirmed transactions on the blockchain mempool_stats: Statistics for unconfirmed transactions in the mempool """ + address: Address chain_stats: AddressChainStats mempool_stats: Union[AddressMempoolStats, None] + class AddressTxidsParam(TypedDict): """ Attributes: after_txid: Txid to paginate from (return transactions before this one) limit: Maximum number of results to return. Defaults to 25 if not specified. """ + after_txid: Union[Txid, None] limit: int + class AddressValidation(TypedDict): """ Address validation result @@ -210,6 +432,7 @@ class AddressValidation(TypedDict): witness_version: Witness version (0 for P2WPKH/P2WSH, 1 for P2TR) witness_program: Witness program in hex """ + isvalid: bool address: Optional[str] scriptPubKey: Optional[str] @@ -218,42 +441,52 @@ class AddressValidation(TypedDict): witness_version: Optional[int] witness_program: Optional[str] + class BlockCountParam(TypedDict): """ Attributes: block_count: Number of recent blocks to include """ + block_count: int + class BlockFeesEntry(TypedDict): """ A single block fees data point. """ + avgHeight: Height timestamp: Timestamp avgFees: Sats + class BlockHashParam(TypedDict): hash: BlockHash + class BlockHashStartIndex(TypedDict): """ Attributes: hash: Bitcoin block hash start_index: Starting transaction index within the block (0-based) """ + hash: BlockHash start_index: TxIndex + class BlockHashTxIndex(TypedDict): """ Attributes: hash: Bitcoin block hash index: Transaction index within the block (0-based) """ + hash: BlockHash index: TxIndex + class BlockInfo(TypedDict): """ Block information returned by the API @@ -267,6 +500,7 @@ class BlockInfo(TypedDict): timestamp: Block timestamp (Unix time) difficulty: Block difficulty as a floating point number """ + id: BlockHash height: Height tx_count: int @@ -275,37 +509,46 @@ class BlockInfo(TypedDict): timestamp: Timestamp difficulty: float + class BlockRewardsEntry(TypedDict): """ A single block rewards data point. """ + avgHeight: int timestamp: int avgRewards: int + class BlockSizeEntry(TypedDict): """ A single block size data point. """ + avgHeight: int timestamp: int avgSize: int + class BlockWeightEntry(TypedDict): """ A single block weight data point. """ + avgHeight: int timestamp: int avgWeight: int + class BlockSizesWeights(TypedDict): """ Combined block sizes and weights response. """ + sizes: List[BlockSizeEntry] weights: List[BlockWeightEntry] + class BlockStatus(TypedDict): """ Block status indicating whether block is in the best chain @@ -315,10 +558,12 @@ class BlockStatus(TypedDict): height: Block height (only if in best chain) next_best: Hash of the next block in the best chain (only if in best chain and not tip) """ + in_best_chain: bool height: Union[Height, None] next_best: Union[BlockHash, None] + class BlockTimestamp(TypedDict): """ Block information returned for timestamp queries @@ -328,10 +573,12 @@ class BlockTimestamp(TypedDict): hash: Block hash timestamp: Block timestamp in ISO 8601 format """ + height: Height hash: BlockHash timestamp: str + class DataRangeFormat(TypedDict): """ Data range with output format for API query parameters @@ -342,11 +589,13 @@ class DataRangeFormat(TypedDict): limit: Maximum number of values to return (ignored if `end` is set) format: Format of the output """ + start: Optional[int] end: Optional[int] limit: Union[Limit, None] format: Format + class DifficultyAdjustment(TypedDict): """ Difficulty adjustment information. @@ -363,6 +612,7 @@ class DifficultyAdjustment(TypedDict): adjustedTimeAvg: Time-adjusted average (accounting for timestamp manipulation) timeOffset: Time offset from expected schedule (seconds) """ + progressPercent: float difficultyChange: float estimatedRetargetDate: int @@ -374,16 +624,19 @@ class DifficultyAdjustment(TypedDict): adjustedTimeAvg: int timeOffset: int + class DifficultyAdjustmentEntry(TypedDict): """ A single difficulty adjustment entry. Serializes as array: [timestamp, height, difficulty, change_percent] """ + timestamp: Timestamp height: Height difficulty: float change_percent: float + class DifficultyEntry(TypedDict): """ A single difficulty data point. @@ -393,10 +646,12 @@ class DifficultyEntry(TypedDict): difficulty: Difficulty value. height: Block height of the adjustment. """ + timestamp: Timestamp difficulty: float height: Height + class DiskUsage(TypedDict): """ Disk usage of the indexed data @@ -408,12 +663,14 @@ class DiskUsage(TypedDict): bitcoin_bytes: Bitcoin blocks directory size in bytes ratio: brk as percentage of Bitcoin data """ + brk: str brk_bytes: int bitcoin: str bitcoin_bytes: int ratio: float + class EmptyAddressData(TypedDict): """ Data of an empty address @@ -423,10 +680,12 @@ class EmptyAddressData(TypedDict): funded_txo_count: Total funded/spent transaction output count (equal since address is empty) transfered: Total satoshis transferred """ + tx_count: int funded_txo_count: int transfered: Sats + class HashrateEntry(TypedDict): """ A single hashrate data point. @@ -435,9 +694,11 @@ class HashrateEntry(TypedDict): timestamp: Unix timestamp. avgHashrate: Average hashrate (H/s). """ + timestamp: Timestamp avgHashrate: int + class HashrateSummary(TypedDict): """ Summary of network hashrate and difficulty data. @@ -448,11 +709,13 @@ class HashrateSummary(TypedDict): currentHashrate: Current network hashrate (H/s). currentDifficulty: Current network difficulty. """ + hashrates: List[HashrateEntry] difficulty: List[DifficultyEntry] currentHashrate: int currentDifficulty: float + class Health(TypedDict): """ Server health status @@ -461,15 +724,18 @@ class Health(TypedDict): started_at: Server start time (ISO 8601) uptime_seconds: Uptime in seconds """ + status: str service: str timestamp: str started_at: str uptime_seconds: int + class HeightParam(TypedDict): height: Height + class IndexInfo(TypedDict): """ Information about an available index and its query aliases @@ -478,12 +744,15 @@ class IndexInfo(TypedDict): index: The canonical index name aliases: All Accepted query aliases """ + index: Index aliases: List[str] + class LimitParam(TypedDict): limit: Limit + class LoadedAddressData(TypedDict): """ Data for a loaded (non-empty) address with current balance @@ -496,6 +765,7 @@ class LoadedAddressData(TypedDict): sent: Satoshis sent by this address realized_cap: The realized capitalization of this address """ + tx_count: int funded_txo_count: int spent_txo_count: int @@ -503,6 +773,7 @@ class LoadedAddressData(TypedDict): sent: Sats realized_cap: Dollars + class MempoolBlock(TypedDict): """ Block info in a mempool.space like format for fee estimation. @@ -515,6 +786,7 @@ class MempoolBlock(TypedDict): medianFee: Median fee rate in sat/vB feeRange: Fee rate range: [min, 10%, 25%, 50%, 75%, 90%, max] """ + blockSize: int blockVSize: float nTx: int @@ -522,6 +794,7 @@ class MempoolBlock(TypedDict): medianFee: FeeRate feeRange: List[FeeRate] + class MempoolInfo(TypedDict): """ Mempool statistics @@ -531,10 +804,12 @@ class MempoolInfo(TypedDict): vsize: Total virtual size of all transactions in the mempool (vbytes) total_fee: Total fees of all transactions in the mempool (satoshis) """ + count: int vsize: VSize total_fee: Sats + class MetricCount(TypedDict): """ Metric count statistics - distinct metrics and total metric-index combinations @@ -545,14 +820,17 @@ class MetricCount(TypedDict): lazy_endpoints: Number of lazy (computed on-the-fly) metric-index combinations stored_endpoints: Number of eager (stored on disk) metric-index combinations """ + distinct_metrics: int total_endpoints: int lazy_endpoints: int stored_endpoints: int + class MetricParam(TypedDict): metric: Metric + class MetricSelection(TypedDict): """ Selection of metrics to query @@ -565,6 +843,7 @@ class MetricSelection(TypedDict): limit: Maximum number of values to return (ignored if `end` is set) format: Format of the output """ + metrics: Metrics index: Index start: Optional[int] @@ -572,6 +851,7 @@ class MetricSelection(TypedDict): limit: Union[Limit, None] format: Format + class MetricSelectionLegacy(TypedDict): """ Legacy metric selection parameters (deprecated) @@ -582,6 +862,7 @@ class MetricSelectionLegacy(TypedDict): limit: Maximum number of values to return (ignored if `end` is set) format: Format of the output """ + index: Index ids: Metrics start: Optional[int] @@ -589,42 +870,51 @@ class MetricSelectionLegacy(TypedDict): limit: Union[Limit, None] format: Format + class MetricWithIndex(TypedDict): """ Attributes: metric: Metric name index: Aggregation index """ + metric: Metric index: Index + class OHLCCents(TypedDict): """ OHLC (Open, High, Low, Close) data in cents """ + open: Open high: High low: Low close: Close + class OHLCDollars(TypedDict): """ OHLC (Open, High, Low, Close) data in dollars """ + open: Open high: High low: Low close: Close + class OHLCSats(TypedDict): """ OHLC (Open, High, Low, Close) data in satoshis """ + open: Open high: High low: Low close: Close + class PaginatedMetrics(TypedDict): """ A paginated list of available metric names (1000 per page) @@ -634,10 +924,12 @@ class PaginatedMetrics(TypedDict): max_page: Maximum valid page index (0-indexed) metrics: List of metric names (max 1000 per page) """ + current_page: int max_page: int metrics: List[str] + class Pagination(TypedDict): """ Pagination parameters for paginated API endpoints @@ -645,8 +937,10 @@ class Pagination(TypedDict): Attributes: page: Pagination index """ + page: Optional[int] + class PoolBlockCounts(TypedDict): """ Block counts for different time periods @@ -656,10 +950,12 @@ class PoolBlockCounts(TypedDict): _24h: Blocks mined in last 24 hours _1w: Blocks mined in last week """ + all: int _24h: int _1w: int + class PoolBlockShares(TypedDict): """ Pool's share of total blocks for different time periods @@ -669,10 +965,12 @@ class PoolBlockShares(TypedDict): _24h: Share of blocks in last 24 hours _1w: Share of blocks in last week """ + all: float _24h: float _1w: float + class PoolDetailInfo(TypedDict): """ Pool information for detail view @@ -685,6 +983,7 @@ class PoolDetailInfo(TypedDict): regexes: Coinbase tag patterns (regexes) slug: URL-friendly pool identifier """ + id: int name: str link: str @@ -692,6 +991,7 @@ class PoolDetailInfo(TypedDict): regexes: List[str] slug: PoolSlug + class PoolDetail(TypedDict): """ Detailed pool information with statistics across time periods @@ -703,12 +1003,14 @@ class PoolDetail(TypedDict): estimatedHashrate: Estimated hashrate based on blocks mined reportedHashrate: Self-reported hashrate (if available) """ + pool: PoolDetailInfo blockCount: PoolBlockCounts blockShare: PoolBlockShares estimatedHashrate: int reportedHashrate: Optional[int] + class PoolInfo(TypedDict): """ Basic pool information for listing all pools @@ -718,13 +1020,16 @@ class PoolInfo(TypedDict): slug: URL-friendly pool identifier unique_id: Unique numeric pool identifier """ + name: str slug: PoolSlug unique_id: int + class PoolSlugParam(TypedDict): slug: PoolSlug + class PoolStats(TypedDict): """ Mining pool with block statistics for a time period @@ -739,6 +1044,7 @@ class PoolStats(TypedDict): slug: URL-friendly pool identifier share: Pool's share of total blocks (0.0 - 1.0) """ + poolId: int name: str link: str @@ -748,6 +1054,7 @@ class PoolStats(TypedDict): slug: PoolSlug share: float + class PoolsSummary(TypedDict): """ Mining pools response for a time period @@ -757,10 +1064,12 @@ class PoolsSummary(TypedDict): blockCount: Total blocks in the time period lastEstimatedHashrate: Estimated network hashrate (hashes per second) """ + pools: List[PoolStats] blockCount: int lastEstimatedHashrate: int + class RecommendedFees(TypedDict): """ Recommended fee rates in sat/vB @@ -772,12 +1081,14 @@ class RecommendedFees(TypedDict): economyFee: Fee rate for economical confirmation minimumFee: Minimum relay fee rate """ + fastestFee: FeeRate halfHourFee: FeeRate hourFee: FeeRate economyFee: FeeRate minimumFee: FeeRate + class RewardStats(TypedDict): """ Block reward statistics over a range of blocks @@ -786,12 +1097,14 @@ class RewardStats(TypedDict): startBlock: First block in the range endBlock: Last block in the range """ + startBlock: Height endBlock: Height totalReward: Sats totalFee: Sats totalTx: int + class SupplyState(TypedDict): """ Current supply state tracking UTXO count and total value @@ -800,9 +1113,11 @@ class SupplyState(TypedDict): utxo_count: Number of unspent transaction outputs value: Total value in satoshis """ + utxo_count: int value: Sats + class SyncStatus(TypedDict): """ Sync status of the indexer @@ -814,18 +1129,22 @@ class SyncStatus(TypedDict): last_indexed_at: Human-readable timestamp of the last indexed block (ISO 8601) last_indexed_at_unix: Unix timestamp of the last indexed block """ + indexed_height: Height tip_height: Height blocks_behind: Height last_indexed_at: str last_indexed_at_unix: Timestamp + class TimePeriodParam(TypedDict): time_period: TimePeriod + class TimestampParam(TypedDict): timestamp: Timestamp + class TxOut(TypedDict): """ Transaction output @@ -834,9 +1153,11 @@ class TxOut(TypedDict): scriptpubkey: Script pubkey (locking script) value: Value of the output in satoshis """ + scriptpubkey: str value: Sats + class TxIn(TypedDict): """ Transaction input @@ -850,6 +1171,7 @@ class TxIn(TypedDict): sequence: Input sequence number inner_redeemscript_asm: Inner redeemscript in assembly format (for P2SH-wrapped SegWit) """ + txid: Txid vout: Vout prevout: Union[TxOut, None] @@ -859,6 +1181,7 @@ class TxIn(TypedDict): sequence: int inner_redeemscript_asm: Optional[str] + class TxStatus(TypedDict): """ Transaction confirmation status @@ -869,11 +1192,13 @@ class TxStatus(TypedDict): block_hash: Block hash (only present if confirmed) block_time: Block timestamp (only present if confirmed) """ + confirmed: bool block_height: Union[Height, None] block_hash: Union[BlockHash, None] block_time: Union[Timestamp, None] + class Transaction(TypedDict): """ Transaction information compatible with mempool.space API format @@ -886,6 +1211,7 @@ class Transaction(TypedDict): vin: Transaction inputs vout: Transaction outputs """ + index: Union[TxIndex, None] txid: Txid version: TxVersion @@ -898,6 +1224,7 @@ class Transaction(TypedDict): vout: List[TxOut] status: TxStatus + class TxOutspend(TypedDict): """ Status of an output indicating whether it has been spent @@ -908,14 +1235,17 @@ class TxOutspend(TypedDict): vin: Input index in the spending transaction (only present if spent) status: Status of the spending transaction (only present if spent) """ + spent: bool txid: Union[Txid, None] vin: Union[Vin, None] status: Union[TxStatus, None] + class TxidParam(TypedDict): txid: Txid + class TxidVout(TypedDict): """ Transaction output reference (txid + output index) @@ -924,25 +1254,31 @@ class TxidVout(TypedDict): txid: Transaction ID vout: Output index """ + txid: Txid vout: Vout + class Utxo(TypedDict): """ Unspent transaction output """ + txid: Txid vout: Vout status: TxStatus value: Sats + class ValidateAddressParam(TypedDict): """ Attributes: address: Bitcoin address to validate (can be any string) """ + address: str + class MetricLeafWithSchema(TypedDict): """ MetricLeaf with JSON Schema for client generation @@ -953,6 +1289,7 @@ class MetricLeafWithSchema(TypedDict): indexes: Available indexes for this metric type: JSON Schema type (e.g., "integer", "number", "string", "boolean", "array", "object") """ + name: str kind: str indexes: List[Index] @@ -973,7 +1310,7 @@ class BrkClientBase: def __init__(self, base_url: str, timeout: float = 30.0): parsed = urlparse(base_url) self._host = parsed.netloc - self._secure = parsed.scheme == 'https' + self._secure = parsed.scheme == "https" self._timeout = timeout self._conn: Optional[Union[HTTPSConnection, HTTPConnection]] = None @@ -1023,7 +1360,8 @@ class BrkClientBase: def _m(acc: str, s: str) -> str: """Build metric name with suffix.""" - if not s: return acc + if not s: + return acc return f"{acc}_{s}" if acc else s @@ -1034,6 +1372,7 @@ def _p(prefix: str, acc: str) -> str: class MetricData(TypedDict, Generic[T]): """Metric data with range information.""" + total: int start: int end: int @@ -1046,14 +1385,21 @@ AnyMetricData = MetricData[Any] class _EndpointConfig: """Shared endpoint configuration.""" + client: BrkClientBase name: str index: Index start: Optional[int] end: Optional[int] - def __init__(self, client: BrkClientBase, name: str, index: Index, - start: Optional[int] = None, end: Optional[int] = None): + def __init__( + self, + client: BrkClientBase, + name: str, + index: Index, + start: Optional[int] = None, + end: Optional[int] = None, + ): self.client = client self.name = name self.index = index @@ -1079,7 +1425,7 @@ class _EndpointConfig: return self.client.get_json(self._build_path()) def get_csv(self) -> str: - return self.client.get_text(self._build_path(format='csv')) + return self.client.get_text(self._build_path(format="csv")) class RangeBuilder(Generic[T]): @@ -1121,10 +1467,15 @@ class SkippedBuilder(Generic[T]): def take(self, n: int) -> RangeBuilder[T]: """Take n items after the skipped position.""" start = self._config.start or 0 - return RangeBuilder(_EndpointConfig( - self._config.client, self._config.name, self._config.index, - start, start + n - )) + return RangeBuilder( + _EndpointConfig( + self._config.client, + self._config.name, + self._config.index, + start, + start + n, + ) + ) def fetch(self) -> MetricData[T]: """Fetch from skipped position to end.""" @@ -1169,7 +1520,9 @@ class MetricEndpointBuilder(Generic[T]): @overload def __getitem__(self, key: slice) -> RangeBuilder[T]: ... - def __getitem__(self, key: Union[int, slice]) -> Union[SingleItemBuilder[T], RangeBuilder[T]]: + def __getitem__( + self, key: Union[int, slice] + ) -> Union[SingleItemBuilder[T], RangeBuilder[T]]: """Access single item or slice. Examples: @@ -1179,36 +1532,49 @@ class MetricEndpointBuilder(Generic[T]): endpoint[100:110] # Range 100-109 """ if isinstance(key, int): - return SingleItemBuilder(_EndpointConfig( - self._config.client, self._config.name, self._config.index, - key, key + 1 - )) - return RangeBuilder(_EndpointConfig( - self._config.client, self._config.name, self._config.index, - key.start, key.stop - )) + return SingleItemBuilder( + _EndpointConfig( + self._config.client, + self._config.name, + self._config.index, + key, + key + 1, + ) + ) + return RangeBuilder( + _EndpointConfig( + self._config.client, + self._config.name, + self._config.index, + key.start, + key.stop, + ) + ) def head(self, n: int = 10) -> RangeBuilder[T]: """Get the first n items (pandas-style).""" - return RangeBuilder(_EndpointConfig( - self._config.client, self._config.name, self._config.index, - None, n - )) + return RangeBuilder( + _EndpointConfig( + self._config.client, self._config.name, self._config.index, None, n + ) + ) def tail(self, n: int = 10) -> RangeBuilder[T]: """Get the last n items (pandas-style).""" start, end = (None, 0) if n == 0 else (-n, None) - return RangeBuilder(_EndpointConfig( - self._config.client, self._config.name, self._config.index, - start, end - )) + return RangeBuilder( + _EndpointConfig( + self._config.client, self._config.name, self._config.index, start, end + ) + ) def skip(self, n: int) -> SkippedBuilder[T]: """Skip the first n items. Chain with take() to get a range.""" - return SkippedBuilder(_EndpointConfig( - self._config.client, self._config.name, self._config.index, - n, None - )) + return SkippedBuilder( + _EndpointConfig( + self._config.client, self._config.name, self._config.index, n, None + ) + ) def fetch(self) -> MetricData[T]: """Fetch all data as parsed JSON.""" @@ -1246,43 +1612,45 @@ class MetricPattern(Protocol[T]): # Index accessor classes + class _MetricPattern1By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def dateindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'dateindex') + return MetricEndpointBuilder(self._client, self._name, "dateindex") def decadeindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'decadeindex') + return MetricEndpointBuilder(self._client, self._name, "decadeindex") def difficultyepoch(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'difficultyepoch') + return MetricEndpointBuilder(self._client, self._name, "difficultyepoch") def height(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'height') + return MetricEndpointBuilder(self._client, self._name, "height") def monthindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'monthindex') + return MetricEndpointBuilder(self._client, self._name, "monthindex") def quarterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'quarterindex') + return MetricEndpointBuilder(self._client, self._name, "quarterindex") def semesterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'semesterindex') + return MetricEndpointBuilder(self._client, self._name, "semesterindex") def weekindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'weekindex') + return MetricEndpointBuilder(self._client, self._name, "weekindex") def yearindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'yearindex') + return MetricEndpointBuilder(self._client, self._name, "yearindex") + class MetricPattern1(Generic[T]): """Index accessor for metrics with 9 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1295,55 +1663,76 @@ class MetricPattern1(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['dateindex', 'decadeindex', 'difficultyepoch', 'height', 'monthindex', 'quarterindex', 'semesterindex', 'weekindex', 'yearindex'] + return [ + "dateindex", + "decadeindex", + "difficultyepoch", + "height", + "monthindex", + "quarterindex", + "semesterindex", + "weekindex", + "yearindex", + ] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'dateindex': return self.by.dateindex() - elif index == 'decadeindex': return self.by.decadeindex() - elif index == 'difficultyepoch': return self.by.difficultyepoch() - elif index == 'height': return self.by.height() - elif index == 'monthindex': return self.by.monthindex() - elif index == 'quarterindex': return self.by.quarterindex() - elif index == 'semesterindex': return self.by.semesterindex() - elif index == 'weekindex': return self.by.weekindex() - elif index == 'yearindex': return self.by.yearindex() + if index == "dateindex": + return self.by.dateindex() + elif index == "decadeindex": + return self.by.decadeindex() + elif index == "difficultyepoch": + return self.by.difficultyepoch() + elif index == "height": + return self.by.height() + elif index == "monthindex": + return self.by.monthindex() + elif index == "quarterindex": + return self.by.quarterindex() + elif index == "semesterindex": + return self.by.semesterindex() + elif index == "weekindex": + return self.by.weekindex() + elif index == "yearindex": + return self.by.yearindex() return None + class _MetricPattern2By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def dateindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'dateindex') + return MetricEndpointBuilder(self._client, self._name, "dateindex") def decadeindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'decadeindex') + return MetricEndpointBuilder(self._client, self._name, "decadeindex") def difficultyepoch(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'difficultyepoch') + return MetricEndpointBuilder(self._client, self._name, "difficultyepoch") def monthindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'monthindex') + return MetricEndpointBuilder(self._client, self._name, "monthindex") def quarterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'quarterindex') + return MetricEndpointBuilder(self._client, self._name, "quarterindex") def semesterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'semesterindex') + return MetricEndpointBuilder(self._client, self._name, "semesterindex") def weekindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'weekindex') + return MetricEndpointBuilder(self._client, self._name, "weekindex") def yearindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'yearindex') + return MetricEndpointBuilder(self._client, self._name, "yearindex") + class MetricPattern2(Generic[T]): """Index accessor for metrics with 8 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1356,54 +1745,73 @@ class MetricPattern2(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['dateindex', 'decadeindex', 'difficultyepoch', 'monthindex', 'quarterindex', 'semesterindex', 'weekindex', 'yearindex'] + return [ + "dateindex", + "decadeindex", + "difficultyepoch", + "monthindex", + "quarterindex", + "semesterindex", + "weekindex", + "yearindex", + ] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'dateindex': return self.by.dateindex() - elif index == 'decadeindex': return self.by.decadeindex() - elif index == 'difficultyepoch': return self.by.difficultyepoch() - elif index == 'monthindex': return self.by.monthindex() - elif index == 'quarterindex': return self.by.quarterindex() - elif index == 'semesterindex': return self.by.semesterindex() - elif index == 'weekindex': return self.by.weekindex() - elif index == 'yearindex': return self.by.yearindex() + if index == "dateindex": + return self.by.dateindex() + elif index == "decadeindex": + return self.by.decadeindex() + elif index == "difficultyepoch": + return self.by.difficultyepoch() + elif index == "monthindex": + return self.by.monthindex() + elif index == "quarterindex": + return self.by.quarterindex() + elif index == "semesterindex": + return self.by.semesterindex() + elif index == "weekindex": + return self.by.weekindex() + elif index == "yearindex": + return self.by.yearindex() return None + class _MetricPattern3By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def dateindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'dateindex') + return MetricEndpointBuilder(self._client, self._name, "dateindex") def decadeindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'decadeindex') + return MetricEndpointBuilder(self._client, self._name, "decadeindex") def height(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'height') + return MetricEndpointBuilder(self._client, self._name, "height") def monthindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'monthindex') + return MetricEndpointBuilder(self._client, self._name, "monthindex") def quarterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'quarterindex') + return MetricEndpointBuilder(self._client, self._name, "quarterindex") def semesterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'semesterindex') + return MetricEndpointBuilder(self._client, self._name, "semesterindex") def weekindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'weekindex') + return MetricEndpointBuilder(self._client, self._name, "weekindex") def yearindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'yearindex') + return MetricEndpointBuilder(self._client, self._name, "yearindex") + class MetricPattern3(Generic[T]): """Index accessor for metrics with 8 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1416,51 +1824,70 @@ class MetricPattern3(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['dateindex', 'decadeindex', 'height', 'monthindex', 'quarterindex', 'semesterindex', 'weekindex', 'yearindex'] + return [ + "dateindex", + "decadeindex", + "height", + "monthindex", + "quarterindex", + "semesterindex", + "weekindex", + "yearindex", + ] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'dateindex': return self.by.dateindex() - elif index == 'decadeindex': return self.by.decadeindex() - elif index == 'height': return self.by.height() - elif index == 'monthindex': return self.by.monthindex() - elif index == 'quarterindex': return self.by.quarterindex() - elif index == 'semesterindex': return self.by.semesterindex() - elif index == 'weekindex': return self.by.weekindex() - elif index == 'yearindex': return self.by.yearindex() + if index == "dateindex": + return self.by.dateindex() + elif index == "decadeindex": + return self.by.decadeindex() + elif index == "height": + return self.by.height() + elif index == "monthindex": + return self.by.monthindex() + elif index == "quarterindex": + return self.by.quarterindex() + elif index == "semesterindex": + return self.by.semesterindex() + elif index == "weekindex": + return self.by.weekindex() + elif index == "yearindex": + return self.by.yearindex() return None + class _MetricPattern4By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def dateindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'dateindex') + return MetricEndpointBuilder(self._client, self._name, "dateindex") def decadeindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'decadeindex') + return MetricEndpointBuilder(self._client, self._name, "decadeindex") def monthindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'monthindex') + return MetricEndpointBuilder(self._client, self._name, "monthindex") def quarterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'quarterindex') + return MetricEndpointBuilder(self._client, self._name, "quarterindex") def semesterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'semesterindex') + return MetricEndpointBuilder(self._client, self._name, "semesterindex") def weekindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'weekindex') + return MetricEndpointBuilder(self._client, self._name, "weekindex") def yearindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'yearindex') + return MetricEndpointBuilder(self._client, self._name, "yearindex") + class MetricPattern4(Generic[T]): """Index accessor for metrics with 7 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1473,35 +1900,52 @@ class MetricPattern4(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['dateindex', 'decadeindex', 'monthindex', 'quarterindex', 'semesterindex', 'weekindex', 'yearindex'] + return [ + "dateindex", + "decadeindex", + "monthindex", + "quarterindex", + "semesterindex", + "weekindex", + "yearindex", + ] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'dateindex': return self.by.dateindex() - elif index == 'decadeindex': return self.by.decadeindex() - elif index == 'monthindex': return self.by.monthindex() - elif index == 'quarterindex': return self.by.quarterindex() - elif index == 'semesterindex': return self.by.semesterindex() - elif index == 'weekindex': return self.by.weekindex() - elif index == 'yearindex': return self.by.yearindex() + if index == "dateindex": + return self.by.dateindex() + elif index == "decadeindex": + return self.by.decadeindex() + elif index == "monthindex": + return self.by.monthindex() + elif index == "quarterindex": + return self.by.quarterindex() + elif index == "semesterindex": + return self.by.semesterindex() + elif index == "weekindex": + return self.by.weekindex() + elif index == "yearindex": + return self.by.yearindex() return None + class _MetricPattern5By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def dateindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'dateindex') + return MetricEndpointBuilder(self._client, self._name, "dateindex") def height(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'height') + return MetricEndpointBuilder(self._client, self._name, "height") + class MetricPattern5(Generic[T]): """Index accessor for metrics with 2 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1514,27 +1958,31 @@ class MetricPattern5(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['dateindex', 'height'] + return ["dateindex", "height"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'dateindex': return self.by.dateindex() - elif index == 'height': return self.by.height() + if index == "dateindex": + return self.by.dateindex() + elif index == "height": + return self.by.height() return None + class _MetricPattern6By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def dateindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'dateindex') + return MetricEndpointBuilder(self._client, self._name, "dateindex") + class MetricPattern6(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1547,26 +1995,29 @@ class MetricPattern6(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['dateindex'] + return ["dateindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'dateindex': return self.by.dateindex() + if index == "dateindex": + return self.by.dateindex() return None + class _MetricPattern7By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def decadeindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'decadeindex') + return MetricEndpointBuilder(self._client, self._name, "decadeindex") + class MetricPattern7(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1579,26 +2030,29 @@ class MetricPattern7(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['decadeindex'] + return ["decadeindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'decadeindex': return self.by.decadeindex() + if index == "decadeindex": + return self.by.decadeindex() return None + class _MetricPattern8By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def difficultyepoch(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'difficultyepoch') + return MetricEndpointBuilder(self._client, self._name, "difficultyepoch") + class MetricPattern8(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1611,26 +2065,29 @@ class MetricPattern8(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['difficultyepoch'] + return ["difficultyepoch"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'difficultyepoch': return self.by.difficultyepoch() + if index == "difficultyepoch": + return self.by.difficultyepoch() return None + class _MetricPattern9By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def emptyoutputindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'emptyoutputindex') + return MetricEndpointBuilder(self._client, self._name, "emptyoutputindex") + class MetricPattern9(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1643,26 +2100,29 @@ class MetricPattern9(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['emptyoutputindex'] + return ["emptyoutputindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'emptyoutputindex': return self.by.emptyoutputindex() + if index == "emptyoutputindex": + return self.by.emptyoutputindex() return None + class _MetricPattern10By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def halvingepoch(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'halvingepoch') + return MetricEndpointBuilder(self._client, self._name, "halvingepoch") + class MetricPattern10(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1675,26 +2135,29 @@ class MetricPattern10(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['halvingepoch'] + return ["halvingepoch"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'halvingepoch': return self.by.halvingepoch() + if index == "halvingepoch": + return self.by.halvingepoch() return None + class _MetricPattern11By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def height(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'height') + return MetricEndpointBuilder(self._client, self._name, "height") + class MetricPattern11(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1707,26 +2170,29 @@ class MetricPattern11(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['height'] + return ["height"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'height': return self.by.height() + if index == "height": + return self.by.height() return None + class _MetricPattern12By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def txinindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'txinindex') + return MetricEndpointBuilder(self._client, self._name, "txinindex") + class MetricPattern12(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1739,26 +2205,29 @@ class MetricPattern12(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['txinindex'] + return ["txinindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'txinindex': return self.by.txinindex() + if index == "txinindex": + return self.by.txinindex() return None + class _MetricPattern13By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def monthindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'monthindex') + return MetricEndpointBuilder(self._client, self._name, "monthindex") + class MetricPattern13(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1771,26 +2240,29 @@ class MetricPattern13(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['monthindex'] + return ["monthindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'monthindex': return self.by.monthindex() + if index == "monthindex": + return self.by.monthindex() return None + class _MetricPattern14By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def opreturnindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'opreturnindex') + return MetricEndpointBuilder(self._client, self._name, "opreturnindex") + class MetricPattern14(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1803,26 +2275,29 @@ class MetricPattern14(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['opreturnindex'] + return ["opreturnindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'opreturnindex': return self.by.opreturnindex() + if index == "opreturnindex": + return self.by.opreturnindex() return None + class _MetricPattern15By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def txoutindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'txoutindex') + return MetricEndpointBuilder(self._client, self._name, "txoutindex") + class MetricPattern15(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1835,26 +2310,29 @@ class MetricPattern15(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['txoutindex'] + return ["txoutindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'txoutindex': return self.by.txoutindex() + if index == "txoutindex": + return self.by.txoutindex() return None + class _MetricPattern16By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2aaddressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2aaddressindex') + return MetricEndpointBuilder(self._client, self._name, "p2aaddressindex") + class MetricPattern16(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1867,26 +2345,29 @@ class MetricPattern16(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2aaddressindex'] + return ["p2aaddressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2aaddressindex': return self.by.p2aaddressindex() + if index == "p2aaddressindex": + return self.by.p2aaddressindex() return None + class _MetricPattern17By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2msoutputindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2msoutputindex') + return MetricEndpointBuilder(self._client, self._name, "p2msoutputindex") + class MetricPattern17(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1899,26 +2380,29 @@ class MetricPattern17(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2msoutputindex'] + return ["p2msoutputindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2msoutputindex': return self.by.p2msoutputindex() + if index == "p2msoutputindex": + return self.by.p2msoutputindex() return None + class _MetricPattern18By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2pk33addressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2pk33addressindex') + return MetricEndpointBuilder(self._client, self._name, "p2pk33addressindex") + class MetricPattern18(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1931,26 +2415,29 @@ class MetricPattern18(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2pk33addressindex'] + return ["p2pk33addressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2pk33addressindex': return self.by.p2pk33addressindex() + if index == "p2pk33addressindex": + return self.by.p2pk33addressindex() return None + class _MetricPattern19By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2pk65addressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2pk65addressindex') + return MetricEndpointBuilder(self._client, self._name, "p2pk65addressindex") + class MetricPattern19(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1963,26 +2450,29 @@ class MetricPattern19(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2pk65addressindex'] + return ["p2pk65addressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2pk65addressindex': return self.by.p2pk65addressindex() + if index == "p2pk65addressindex": + return self.by.p2pk65addressindex() return None + class _MetricPattern20By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2pkhaddressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2pkhaddressindex') + return MetricEndpointBuilder(self._client, self._name, "p2pkhaddressindex") + class MetricPattern20(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -1995,26 +2485,29 @@ class MetricPattern20(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2pkhaddressindex'] + return ["p2pkhaddressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2pkhaddressindex': return self.by.p2pkhaddressindex() + if index == "p2pkhaddressindex": + return self.by.p2pkhaddressindex() return None + class _MetricPattern21By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2shaddressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2shaddressindex') + return MetricEndpointBuilder(self._client, self._name, "p2shaddressindex") + class MetricPattern21(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2027,26 +2520,29 @@ class MetricPattern21(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2shaddressindex'] + return ["p2shaddressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2shaddressindex': return self.by.p2shaddressindex() + if index == "p2shaddressindex": + return self.by.p2shaddressindex() return None + class _MetricPattern22By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2traddressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2traddressindex') + return MetricEndpointBuilder(self._client, self._name, "p2traddressindex") + class MetricPattern22(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2059,26 +2555,29 @@ class MetricPattern22(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2traddressindex'] + return ["p2traddressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2traddressindex': return self.by.p2traddressindex() + if index == "p2traddressindex": + return self.by.p2traddressindex() return None + class _MetricPattern23By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2wpkhaddressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2wpkhaddressindex') + return MetricEndpointBuilder(self._client, self._name, "p2wpkhaddressindex") + class MetricPattern23(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2091,26 +2590,29 @@ class MetricPattern23(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2wpkhaddressindex'] + return ["p2wpkhaddressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2wpkhaddressindex': return self.by.p2wpkhaddressindex() + if index == "p2wpkhaddressindex": + return self.by.p2wpkhaddressindex() return None + class _MetricPattern24By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def p2wshaddressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'p2wshaddressindex') + return MetricEndpointBuilder(self._client, self._name, "p2wshaddressindex") + class MetricPattern24(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2123,26 +2625,29 @@ class MetricPattern24(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['p2wshaddressindex'] + return ["p2wshaddressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'p2wshaddressindex': return self.by.p2wshaddressindex() + if index == "p2wshaddressindex": + return self.by.p2wshaddressindex() return None + class _MetricPattern25By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def quarterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'quarterindex') + return MetricEndpointBuilder(self._client, self._name, "quarterindex") + class MetricPattern25(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2155,26 +2660,29 @@ class MetricPattern25(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['quarterindex'] + return ["quarterindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'quarterindex': return self.by.quarterindex() + if index == "quarterindex": + return self.by.quarterindex() return None + class _MetricPattern26By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def semesterindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'semesterindex') + return MetricEndpointBuilder(self._client, self._name, "semesterindex") + class MetricPattern26(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2187,26 +2695,29 @@ class MetricPattern26(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['semesterindex'] + return ["semesterindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'semesterindex': return self.by.semesterindex() + if index == "semesterindex": + return self.by.semesterindex() return None + class _MetricPattern27By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def txindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'txindex') + return MetricEndpointBuilder(self._client, self._name, "txindex") + class MetricPattern27(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2219,26 +2730,29 @@ class MetricPattern27(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['txindex'] + return ["txindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'txindex': return self.by.txindex() + if index == "txindex": + return self.by.txindex() return None + class _MetricPattern28By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def unknownoutputindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'unknownoutputindex') + return MetricEndpointBuilder(self._client, self._name, "unknownoutputindex") + class MetricPattern28(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2251,26 +2765,29 @@ class MetricPattern28(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['unknownoutputindex'] + return ["unknownoutputindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'unknownoutputindex': return self.by.unknownoutputindex() + if index == "unknownoutputindex": + return self.by.unknownoutputindex() return None + class _MetricPattern29By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def weekindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'weekindex') + return MetricEndpointBuilder(self._client, self._name, "weekindex") + class MetricPattern29(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2283,26 +2800,29 @@ class MetricPattern29(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['weekindex'] + return ["weekindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'weekindex': return self.by.weekindex() + if index == "weekindex": + return self.by.weekindex() return None + class _MetricPattern30By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def yearindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'yearindex') + return MetricEndpointBuilder(self._client, self._name, "yearindex") + class MetricPattern30(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2315,26 +2835,29 @@ class MetricPattern30(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['yearindex'] + return ["yearindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'yearindex': return self.by.yearindex() + if index == "yearindex": + return self.by.yearindex() return None + class _MetricPattern31By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def loadedaddressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'loadedaddressindex') + return MetricEndpointBuilder(self._client, self._name, "loadedaddressindex") + class MetricPattern31(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2347,26 +2870,29 @@ class MetricPattern31(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['loadedaddressindex'] + return ["loadedaddressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'loadedaddressindex': return self.by.loadedaddressindex() + if index == "loadedaddressindex": + return self.by.loadedaddressindex() return None + class _MetricPattern32By(Generic[T]): """Index endpoint methods container.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name def emptyaddressindex(self) -> MetricEndpointBuilder[T]: - return MetricEndpointBuilder(self._client, self._name, 'emptyaddressindex') + return MetricEndpointBuilder(self._client, self._name, "emptyaddressindex") + class MetricPattern32(Generic[T]): """Index accessor for metrics with 1 indexes.""" - + def __init__(self, client: BrkClientBase, name: str): self._client = client self._name = name @@ -2379,2132 +2905,3705 @@ class MetricPattern32(Generic[T]): def indexes(self) -> List[str]: """Get the list of available indexes.""" - return ['emptyaddressindex'] + return ["emptyaddressindex"] def get(self, index: Index) -> Optional[MetricEndpointBuilder[T]]: """Get an endpoint builder for a specific index, if supported.""" - if index == 'emptyaddressindex': return self.by.emptyaddressindex() + if index == "emptyaddressindex": + return self.by.emptyaddressindex() return None + # Reusable structural pattern classes + class RealizedPattern3: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.adjusted_sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'adjusted_sopr')) - self.adjusted_sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'adjusted_sopr_30d_ema')) - self.adjusted_sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'adjusted_sopr_7d_ema')) - self.adjusted_value_created: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'adjusted_value_created')) - self.adjusted_value_destroyed: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'adjusted_value_destroyed')) - self.mvrv: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'mvrv')) - self.neg_realized_loss: BitcoinPattern2[Dollars] = BitcoinPattern2(client, _m(acc, 'neg_realized_loss')) - self.net_realized_pnl: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'net_realized_pnl')) - self.net_realized_pnl_cumulative_30d_delta: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta')) - self.net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta_rel_to_market_cap')) - self.net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap')) - self.net_realized_pnl_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'net_realized_pnl_rel_to_realized_cap')) - self.realized_cap: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_cap')) - self.realized_cap_30d_delta: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'realized_cap_30d_delta')) - self.realized_cap_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'realized_cap_rel_to_own_market_cap')) - self.realized_loss: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'realized_loss')) - self.realized_loss_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'realized_loss_rel_to_realized_cap')) - self.realized_price: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_price')) - self.realized_price_extra: ActivePriceRatioPattern = ActivePriceRatioPattern(client, _m(acc, 'realized_price_ratio')) - self.realized_profit: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'realized_profit')) - self.realized_profit_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'realized_profit_rel_to_realized_cap')) - self.realized_profit_to_loss_ratio: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'realized_profit_to_loss_ratio')) - self.realized_value: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_value')) - self.sell_side_risk_ratio: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio')) - self.sell_side_risk_ratio_30d_ema: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio_30d_ema')) - self.sell_side_risk_ratio_7d_ema: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio_7d_ema')) - self.sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr')) - self.sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr_30d_ema')) - self.sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr_7d_ema')) - self.total_realized_pnl: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'total_realized_pnl')) - self.value_created: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'value_created')) - self.value_destroyed: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'value_destroyed')) + self.adjusted_sopr: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "adjusted_sopr") + ) + self.adjusted_sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "adjusted_sopr_30d_ema") + ) + self.adjusted_sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "adjusted_sopr_7d_ema") + ) + self.adjusted_value_created: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "adjusted_value_created") + ) + self.adjusted_value_destroyed: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "adjusted_value_destroyed") + ) + self.mvrv: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "mvrv")) + self.neg_realized_loss: BitcoinPattern2[Dollars] = BitcoinPattern2( + client, _m(acc, "neg_realized_loss") + ) + self.net_realized_pnl: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "net_realized_pnl") + ) + self.net_realized_pnl_cumulative_30d_delta: MetricPattern4[Dollars] = ( + MetricPattern4(client, _m(acc, "net_realized_pnl_cumulative_30d_delta")) + ) + self.net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4[ + StoredF32 + ] = MetricPattern4( + client, _m(acc, "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap") + ) + self.net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4[ + StoredF32 + ] = MetricPattern4( + client, _m(acc, "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap") + ) + self.net_realized_pnl_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "net_realized_pnl_rel_to_realized_cap")) + ) + self.realized_cap: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_cap") + ) + self.realized_cap_30d_delta: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "realized_cap_30d_delta") + ) + self.realized_cap_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "realized_cap_rel_to_own_market_cap")) + ) + self.realized_loss: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "realized_loss") + ) + self.realized_loss_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "realized_loss_rel_to_realized_cap")) + ) + self.realized_price: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_price") + ) + self.realized_price_extra: ActivePriceRatioPattern = ActivePriceRatioPattern( + client, _m(acc, "realized_price_ratio") + ) + self.realized_profit: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "realized_profit") + ) + self.realized_profit_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "realized_profit_rel_to_realized_cap")) + ) + self.realized_profit_to_loss_ratio: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "realized_profit_to_loss_ratio") + ) + self.realized_value: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_value") + ) + self.sell_side_risk_ratio: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio") + ) + self.sell_side_risk_ratio_30d_ema: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio_30d_ema") + ) + self.sell_side_risk_ratio_7d_ema: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio_7d_ema") + ) + self.sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, "sopr")) + self.sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "sopr_30d_ema") + ) + self.sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "sopr_7d_ema") + ) + self.total_realized_pnl: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "total_realized_pnl") + ) + self.value_created: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "value_created") + ) + self.value_destroyed: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "value_destroyed") + ) + class RealizedPattern4: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.adjusted_sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'adjusted_sopr')) - self.adjusted_sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'adjusted_sopr_30d_ema')) - self.adjusted_sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'adjusted_sopr_7d_ema')) - self.adjusted_value_created: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'adjusted_value_created')) - self.adjusted_value_destroyed: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'adjusted_value_destroyed')) - self.mvrv: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'mvrv')) - self.neg_realized_loss: BitcoinPattern2[Dollars] = BitcoinPattern2(client, _m(acc, 'neg_realized_loss')) - self.net_realized_pnl: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'net_realized_pnl')) - self.net_realized_pnl_cumulative_30d_delta: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta')) - self.net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta_rel_to_market_cap')) - self.net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap')) - self.net_realized_pnl_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'net_realized_pnl_rel_to_realized_cap')) - self.realized_cap: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_cap')) - self.realized_cap_30d_delta: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'realized_cap_30d_delta')) - self.realized_loss: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'realized_loss')) - self.realized_loss_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'realized_loss_rel_to_realized_cap')) - self.realized_price: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_price')) - self.realized_price_extra: RealizedPriceExtraPattern = RealizedPriceExtraPattern(client, _m(acc, 'realized_price_ratio')) - self.realized_profit: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'realized_profit')) - self.realized_profit_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'realized_profit_rel_to_realized_cap')) - self.realized_value: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_value')) - self.sell_side_risk_ratio: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio')) - self.sell_side_risk_ratio_30d_ema: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio_30d_ema')) - self.sell_side_risk_ratio_7d_ema: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio_7d_ema')) - self.sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr')) - self.sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr_30d_ema')) - self.sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr_7d_ema')) - self.total_realized_pnl: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'total_realized_pnl')) - self.value_created: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'value_created')) - self.value_destroyed: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'value_destroyed')) + self.adjusted_sopr: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "adjusted_sopr") + ) + self.adjusted_sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "adjusted_sopr_30d_ema") + ) + self.adjusted_sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "adjusted_sopr_7d_ema") + ) + self.adjusted_value_created: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "adjusted_value_created") + ) + self.adjusted_value_destroyed: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "adjusted_value_destroyed") + ) + self.mvrv: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "mvrv")) + self.neg_realized_loss: BitcoinPattern2[Dollars] = BitcoinPattern2( + client, _m(acc, "neg_realized_loss") + ) + self.net_realized_pnl: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "net_realized_pnl") + ) + self.net_realized_pnl_cumulative_30d_delta: MetricPattern4[Dollars] = ( + MetricPattern4(client, _m(acc, "net_realized_pnl_cumulative_30d_delta")) + ) + self.net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4[ + StoredF32 + ] = MetricPattern4( + client, _m(acc, "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap") + ) + self.net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4[ + StoredF32 + ] = MetricPattern4( + client, _m(acc, "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap") + ) + self.net_realized_pnl_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "net_realized_pnl_rel_to_realized_cap")) + ) + self.realized_cap: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_cap") + ) + self.realized_cap_30d_delta: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "realized_cap_30d_delta") + ) + self.realized_loss: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "realized_loss") + ) + self.realized_loss_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "realized_loss_rel_to_realized_cap")) + ) + self.realized_price: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_price") + ) + self.realized_price_extra: RealizedPriceExtraPattern = ( + RealizedPriceExtraPattern(client, _m(acc, "realized_price_ratio")) + ) + self.realized_profit: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "realized_profit") + ) + self.realized_profit_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "realized_profit_rel_to_realized_cap")) + ) + self.realized_value: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_value") + ) + self.sell_side_risk_ratio: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio") + ) + self.sell_side_risk_ratio_30d_ema: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio_30d_ema") + ) + self.sell_side_risk_ratio_7d_ema: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio_7d_ema") + ) + self.sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, "sopr")) + self.sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "sopr_30d_ema") + ) + self.sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "sopr_7d_ema") + ) + self.total_realized_pnl: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "total_realized_pnl") + ) + self.value_created: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "value_created") + ) + self.value_destroyed: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "value_destroyed") + ) + class Ratio1ySdPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self._0sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, '0sd_usd')) - self.m0_5sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'm0_5sd')) - self.m0_5sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'm0_5sd_usd')) - self.m1_5sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'm1_5sd')) - self.m1_5sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'm1_5sd_usd')) - self.m1sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'm1sd')) - self.m1sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'm1sd_usd')) - self.m2_5sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'm2_5sd')) - self.m2_5sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'm2_5sd_usd')) - self.m2sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'm2sd')) - self.m2sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'm2sd_usd')) - self.m3sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'm3sd')) - self.m3sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'm3sd_usd')) - self.p0_5sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'p0_5sd')) - self.p0_5sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'p0_5sd_usd')) - self.p1_5sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'p1_5sd')) - self.p1_5sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'p1_5sd_usd')) - self.p1sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'p1sd')) - self.p1sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'p1sd_usd')) - self.p2_5sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'p2_5sd')) - self.p2_5sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'p2_5sd_usd')) - self.p2sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'p2sd')) - self.p2sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'p2sd_usd')) - self.p3sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'p3sd')) - self.p3sd_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'p3sd_usd')) - self.sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'sd')) - self.sma: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'sma')) - self.zscore: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'zscore')) + self._0sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "0sd_usd") + ) + self.m0_5sd: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "m0_5sd") + ) + self.m0_5sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "m0_5sd_usd") + ) + self.m1_5sd: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "m1_5sd") + ) + self.m1_5sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "m1_5sd_usd") + ) + self.m1sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "m1sd")) + self.m1sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "m1sd_usd") + ) + self.m2_5sd: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "m2_5sd") + ) + self.m2_5sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "m2_5sd_usd") + ) + self.m2sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "m2sd")) + self.m2sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "m2sd_usd") + ) + self.m3sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "m3sd")) + self.m3sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "m3sd_usd") + ) + self.p0_5sd: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "p0_5sd") + ) + self.p0_5sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "p0_5sd_usd") + ) + self.p1_5sd: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "p1_5sd") + ) + self.p1_5sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "p1_5sd_usd") + ) + self.p1sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "p1sd")) + self.p1sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "p1sd_usd") + ) + self.p2_5sd: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "p2_5sd") + ) + self.p2_5sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "p2_5sd_usd") + ) + self.p2sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "p2sd")) + self.p2sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "p2sd_usd") + ) + self.p3sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "p3sd")) + self.p3sd_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "p3sd_usd") + ) + self.sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "sd")) + self.sma: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "sma")) + self.zscore: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "zscore") + ) + class RealizedPattern2: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.mvrv: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'mvrv')) - self.neg_realized_loss: BitcoinPattern2[Dollars] = BitcoinPattern2(client, _m(acc, 'neg_realized_loss')) - self.net_realized_pnl: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'net_realized_pnl')) - self.net_realized_pnl_cumulative_30d_delta: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta')) - self.net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta_rel_to_market_cap')) - self.net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap')) - self.net_realized_pnl_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'net_realized_pnl_rel_to_realized_cap')) - self.realized_cap: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_cap')) - self.realized_cap_30d_delta: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'realized_cap_30d_delta')) - self.realized_cap_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'realized_cap_rel_to_own_market_cap')) - self.realized_loss: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'realized_loss')) - self.realized_loss_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'realized_loss_rel_to_realized_cap')) - self.realized_price: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_price')) - self.realized_price_extra: ActivePriceRatioPattern = ActivePriceRatioPattern(client, _m(acc, 'realized_price_ratio')) - self.realized_profit: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'realized_profit')) - self.realized_profit_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'realized_profit_rel_to_realized_cap')) - self.realized_profit_to_loss_ratio: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'realized_profit_to_loss_ratio')) - self.realized_value: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_value')) - self.sell_side_risk_ratio: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio')) - self.sell_side_risk_ratio_30d_ema: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio_30d_ema')) - self.sell_side_risk_ratio_7d_ema: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio_7d_ema')) - self.sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr')) - self.sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr_30d_ema')) - self.sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr_7d_ema')) - self.total_realized_pnl: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'total_realized_pnl')) - self.value_created: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'value_created')) - self.value_destroyed: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'value_destroyed')) + self.mvrv: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "mvrv")) + self.neg_realized_loss: BitcoinPattern2[Dollars] = BitcoinPattern2( + client, _m(acc, "neg_realized_loss") + ) + self.net_realized_pnl: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "net_realized_pnl") + ) + self.net_realized_pnl_cumulative_30d_delta: MetricPattern4[Dollars] = ( + MetricPattern4(client, _m(acc, "net_realized_pnl_cumulative_30d_delta")) + ) + self.net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4[ + StoredF32 + ] = MetricPattern4( + client, _m(acc, "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap") + ) + self.net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4[ + StoredF32 + ] = MetricPattern4( + client, _m(acc, "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap") + ) + self.net_realized_pnl_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "net_realized_pnl_rel_to_realized_cap")) + ) + self.realized_cap: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_cap") + ) + self.realized_cap_30d_delta: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "realized_cap_30d_delta") + ) + self.realized_cap_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "realized_cap_rel_to_own_market_cap")) + ) + self.realized_loss: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "realized_loss") + ) + self.realized_loss_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "realized_loss_rel_to_realized_cap")) + ) + self.realized_price: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_price") + ) + self.realized_price_extra: ActivePriceRatioPattern = ActivePriceRatioPattern( + client, _m(acc, "realized_price_ratio") + ) + self.realized_profit: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "realized_profit") + ) + self.realized_profit_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "realized_profit_rel_to_realized_cap")) + ) + self.realized_profit_to_loss_ratio: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "realized_profit_to_loss_ratio") + ) + self.realized_value: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_value") + ) + self.sell_side_risk_ratio: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio") + ) + self.sell_side_risk_ratio_30d_ema: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio_30d_ema") + ) + self.sell_side_risk_ratio_7d_ema: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio_7d_ema") + ) + self.sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, "sopr")) + self.sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "sopr_30d_ema") + ) + self.sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "sopr_7d_ema") + ) + self.total_realized_pnl: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "total_realized_pnl") + ) + self.value_created: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "value_created") + ) + self.value_destroyed: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "value_destroyed") + ) + class RealizedPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.mvrv: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'mvrv')) - self.neg_realized_loss: BitcoinPattern2[Dollars] = BitcoinPattern2(client, _m(acc, 'neg_realized_loss')) - self.net_realized_pnl: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'net_realized_pnl')) - self.net_realized_pnl_cumulative_30d_delta: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta')) - self.net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta_rel_to_market_cap')) - self.net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap')) - self.net_realized_pnl_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'net_realized_pnl_rel_to_realized_cap')) - self.realized_cap: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_cap')) - self.realized_cap_30d_delta: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'realized_cap_30d_delta')) - self.realized_loss: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'realized_loss')) - self.realized_loss_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'realized_loss_rel_to_realized_cap')) - self.realized_price: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_price')) - self.realized_price_extra: RealizedPriceExtraPattern = RealizedPriceExtraPattern(client, _m(acc, 'realized_price_ratio')) - self.realized_profit: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'realized_profit')) - self.realized_profit_rel_to_realized_cap: BlockCountPattern[StoredF32] = BlockCountPattern(client, _m(acc, 'realized_profit_rel_to_realized_cap')) - self.realized_value: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'realized_value')) - self.sell_side_risk_ratio: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio')) - self.sell_side_risk_ratio_30d_ema: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio_30d_ema')) - self.sell_side_risk_ratio_7d_ema: MetricPattern6[StoredF32] = MetricPattern6(client, _m(acc, 'sell_side_risk_ratio_7d_ema')) - self.sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr')) - self.sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr_30d_ema')) - self.sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, 'sopr_7d_ema')) - self.total_realized_pnl: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'total_realized_pnl')) - self.value_created: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'value_created')) - self.value_destroyed: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'value_destroyed')) + self.mvrv: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "mvrv")) + self.neg_realized_loss: BitcoinPattern2[Dollars] = BitcoinPattern2( + client, _m(acc, "neg_realized_loss") + ) + self.net_realized_pnl: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "net_realized_pnl") + ) + self.net_realized_pnl_cumulative_30d_delta: MetricPattern4[Dollars] = ( + MetricPattern4(client, _m(acc, "net_realized_pnl_cumulative_30d_delta")) + ) + self.net_realized_pnl_cumulative_30d_delta_rel_to_market_cap: MetricPattern4[ + StoredF32 + ] = MetricPattern4( + client, _m(acc, "net_realized_pnl_cumulative_30d_delta_rel_to_market_cap") + ) + self.net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap: MetricPattern4[ + StoredF32 + ] = MetricPattern4( + client, _m(acc, "net_realized_pnl_cumulative_30d_delta_rel_to_realized_cap") + ) + self.net_realized_pnl_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "net_realized_pnl_rel_to_realized_cap")) + ) + self.realized_cap: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_cap") + ) + self.realized_cap_30d_delta: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "realized_cap_30d_delta") + ) + self.realized_loss: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "realized_loss") + ) + self.realized_loss_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "realized_loss_rel_to_realized_cap")) + ) + self.realized_price: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_price") + ) + self.realized_price_extra: RealizedPriceExtraPattern = ( + RealizedPriceExtraPattern(client, _m(acc, "realized_price_ratio")) + ) + self.realized_profit: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "realized_profit") + ) + self.realized_profit_rel_to_realized_cap: BlockCountPattern[StoredF32] = ( + BlockCountPattern(client, _m(acc, "realized_profit_rel_to_realized_cap")) + ) + self.realized_value: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "realized_value") + ) + self.sell_side_risk_ratio: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio") + ) + self.sell_side_risk_ratio_30d_ema: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio_30d_ema") + ) + self.sell_side_risk_ratio_7d_ema: MetricPattern6[StoredF32] = MetricPattern6( + client, _m(acc, "sell_side_risk_ratio_7d_ema") + ) + self.sopr: MetricPattern6[StoredF64] = MetricPattern6(client, _m(acc, "sopr")) + self.sopr_30d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "sopr_30d_ema") + ) + self.sopr_7d_ema: MetricPattern6[StoredF64] = MetricPattern6( + client, _m(acc, "sopr_7d_ema") + ) + self.total_realized_pnl: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "total_realized_pnl") + ) + self.value_created: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "value_created") + ) + self.value_destroyed: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "value_destroyed") + ) + class Price111dSmaPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.price: MetricPattern4[Dollars] = MetricPattern4(client, acc) - self.ratio: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio')) - self.ratio_1m_sma: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio_1m_sma')) - self.ratio_1w_sma: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio_1w_sma')) - self.ratio_1y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, 'ratio_1y')) - self.ratio_2y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, 'ratio_2y')) - self.ratio_4y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, 'ratio_4y')) - self.ratio_pct1: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio_pct1')) - self.ratio_pct1_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'ratio_pct1_usd')) - self.ratio_pct2: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio_pct2')) - self.ratio_pct2_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'ratio_pct2_usd')) - self.ratio_pct5: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio_pct5')) - self.ratio_pct5_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'ratio_pct5_usd')) - self.ratio_pct95: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio_pct95')) - self.ratio_pct95_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'ratio_pct95_usd')) - self.ratio_pct98: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio_pct98')) - self.ratio_pct98_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'ratio_pct98_usd')) - self.ratio_pct99: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'ratio_pct99')) - self.ratio_pct99_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'ratio_pct99_usd')) - self.ratio_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, 'ratio')) + self.ratio: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "ratio")) + self.ratio_1m_sma: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "ratio_1m_sma") + ) + self.ratio_1w_sma: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "ratio_1w_sma") + ) + self.ratio_1y_sd: Ratio1ySdPattern = Ratio1ySdPattern( + client, _m(acc, "ratio_1y") + ) + self.ratio_2y_sd: Ratio1ySdPattern = Ratio1ySdPattern( + client, _m(acc, "ratio_2y") + ) + self.ratio_4y_sd: Ratio1ySdPattern = Ratio1ySdPattern( + client, _m(acc, "ratio_4y") + ) + self.ratio_pct1: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "ratio_pct1") + ) + self.ratio_pct1_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "ratio_pct1_usd") + ) + self.ratio_pct2: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "ratio_pct2") + ) + self.ratio_pct2_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "ratio_pct2_usd") + ) + self.ratio_pct5: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "ratio_pct5") + ) + self.ratio_pct5_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "ratio_pct5_usd") + ) + self.ratio_pct95: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "ratio_pct95") + ) + self.ratio_pct95_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "ratio_pct95_usd") + ) + self.ratio_pct98: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "ratio_pct98") + ) + self.ratio_pct98_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "ratio_pct98_usd") + ) + self.ratio_pct99: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "ratio_pct99") + ) + self.ratio_pct99_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "ratio_pct99_usd") + ) + self.ratio_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, "ratio")) + class ActivePriceRatioPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.ratio: MetricPattern4[StoredF32] = MetricPattern4(client, acc) - self.ratio_1m_sma: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, '1m_sma')) - self.ratio_1w_sma: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, '1w_sma')) - self.ratio_1y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, '1y')) - self.ratio_2y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, '2y')) - self.ratio_4y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, '4y')) - self.ratio_pct1: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'pct1')) - self.ratio_pct1_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct1_usd')) - self.ratio_pct2: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'pct2')) - self.ratio_pct2_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct2_usd')) - self.ratio_pct5: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'pct5')) - self.ratio_pct5_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct5_usd')) - self.ratio_pct95: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'pct95')) - self.ratio_pct95_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct95_usd')) - self.ratio_pct98: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'pct98')) - self.ratio_pct98_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct98_usd')) - self.ratio_pct99: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'pct99')) - self.ratio_pct99_usd: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct99_usd')) + self.ratio_1m_sma: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "1m_sma") + ) + self.ratio_1w_sma: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "1w_sma") + ) + self.ratio_1y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, "1y")) + self.ratio_2y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, "2y")) + self.ratio_4y_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, _m(acc, "4y")) + self.ratio_pct1: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "pct1") + ) + self.ratio_pct1_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "pct1_usd") + ) + self.ratio_pct2: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "pct2") + ) + self.ratio_pct2_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "pct2_usd") + ) + self.ratio_pct5: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "pct5") + ) + self.ratio_pct5_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "pct5_usd") + ) + self.ratio_pct95: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "pct95") + ) + self.ratio_pct95_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "pct95_usd") + ) + self.ratio_pct98: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "pct98") + ) + self.ratio_pct98_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "pct98_usd") + ) + self.ratio_pct99: MetricPattern4[StoredF32] = MetricPattern4( + client, _m(acc, "pct99") + ) + self.ratio_pct99_usd: MetricPattern4[Dollars] = MetricPattern4( + client, _m(acc, "pct99_usd") + ) self.ratio_sd: Ratio1ySdPattern = Ratio1ySdPattern(client, acc) + class PercentilesPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.pct05: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct05')) - self.pct10: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct10')) - self.pct15: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct15')) - self.pct20: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct20')) - self.pct25: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct25')) - self.pct30: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct30')) - self.pct35: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct35')) - self.pct40: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct40')) - self.pct45: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct45')) - self.pct50: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct50')) - self.pct55: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct55')) - self.pct60: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct60')) - self.pct65: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct65')) - self.pct70: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct70')) - self.pct75: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct75')) - self.pct80: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct80')) - self.pct85: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct85')) - self.pct90: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct90')) - self.pct95: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'pct95')) + self.pct05: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct05")) + self.pct10: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct10")) + self.pct15: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct15")) + self.pct20: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct20")) + self.pct25: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct25")) + self.pct30: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct30")) + self.pct35: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct35")) + self.pct40: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct40")) + self.pct45: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct45")) + self.pct50: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct50")) + self.pct55: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct55")) + self.pct60: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct60")) + self.pct65: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct65")) + self.pct70: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct70")) + self.pct75: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct75")) + self.pct80: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct80")) + self.pct85: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct85")) + self.pct90: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct90")) + self.pct95: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "pct95")) + class RelativePattern5: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.neg_unrealized_loss_rel_to_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'neg_unrealized_loss_rel_to_market_cap')) - self.neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'neg_unrealized_loss_rel_to_own_market_cap')) - self.neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'neg_unrealized_loss_rel_to_own_total_unrealized_pnl')) - self.net_unrealized_pnl_rel_to_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'net_unrealized_pnl_rel_to_market_cap')) - self.net_unrealized_pnl_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'net_unrealized_pnl_rel_to_own_market_cap')) - self.net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'net_unrealized_pnl_rel_to_own_total_unrealized_pnl')) - self.nupl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'nupl')) - self.supply_in_loss_rel_to_circulating_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_loss_rel_to_circulating_supply')) - self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_loss_rel_to_own_supply')) - self.supply_in_profit_rel_to_circulating_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_profit_rel_to_circulating_supply')) - self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_profit_rel_to_own_supply')) - self.supply_rel_to_circulating_supply: MetricPattern4[StoredF64] = MetricPattern4(client, _m(acc, 'supply_rel_to_circulating_supply')) - self.unrealized_loss_rel_to_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_loss_rel_to_market_cap')) - self.unrealized_loss_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_loss_rel_to_own_market_cap')) - self.unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_loss_rel_to_own_total_unrealized_pnl')) - self.unrealized_profit_rel_to_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_profit_rel_to_market_cap')) - self.unrealized_profit_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_profit_rel_to_own_market_cap')) - self.unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_profit_rel_to_own_total_unrealized_pnl')) + self.neg_unrealized_loss_rel_to_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "neg_unrealized_loss_rel_to_market_cap")) + ) + self.neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "neg_unrealized_loss_rel_to_own_market_cap")) + ) + self.neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, _m(acc, "neg_unrealized_loss_rel_to_own_total_unrealized_pnl") + ) + self.net_unrealized_pnl_rel_to_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "net_unrealized_pnl_rel_to_market_cap")) + ) + self.net_unrealized_pnl_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "net_unrealized_pnl_rel_to_own_market_cap")) + ) + self.net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, _m(acc, "net_unrealized_pnl_rel_to_own_total_unrealized_pnl") + ) + self.nupl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, "nupl")) + self.supply_in_loss_rel_to_circulating_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "supply_in_loss_rel_to_circulating_supply")) + ) + self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "supply_in_loss_rel_to_own_supply")) + ) + self.supply_in_profit_rel_to_circulating_supply: MetricPattern1[StoredF64] = ( + MetricPattern1( + client, _m(acc, "supply_in_profit_rel_to_circulating_supply") + ) + ) + self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "supply_in_profit_rel_to_own_supply")) + ) + self.supply_rel_to_circulating_supply: MetricPattern4[StoredF64] = ( + MetricPattern4(client, _m(acc, "supply_rel_to_circulating_supply")) + ) + self.unrealized_loss_rel_to_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "unrealized_loss_rel_to_market_cap")) + ) + self.unrealized_loss_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "unrealized_loss_rel_to_own_market_cap")) + ) + self.unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, _m(acc, "unrealized_loss_rel_to_own_total_unrealized_pnl") + ) + self.unrealized_profit_rel_to_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "unrealized_profit_rel_to_market_cap")) + ) + self.unrealized_profit_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "unrealized_profit_rel_to_own_market_cap")) + ) + self.unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, _m(acc, "unrealized_profit_rel_to_own_total_unrealized_pnl") + ) + class AaopoolPattern: """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self._1m_blocks_mined: MetricPattern1[StoredU32] = MetricPattern1(client, _m(acc, '1m_blocks_mined')) - self._1m_dominance: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, '1m_dominance')) - self._1w_blocks_mined: MetricPattern1[StoredU32] = MetricPattern1(client, _m(acc, '1w_blocks_mined')) - self._1w_dominance: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, '1w_dominance')) - self._1y_blocks_mined: MetricPattern1[StoredU32] = MetricPattern1(client, _m(acc, '1y_blocks_mined')) - self._1y_dominance: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, '1y_dominance')) - self._24h_blocks_mined: MetricPattern1[StoredU32] = MetricPattern1(client, _m(acc, '24h_blocks_mined')) - self._24h_dominance: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, '24h_dominance')) - self.blocks_mined: BlockCountPattern[StoredU32] = BlockCountPattern(client, _m(acc, 'blocks_mined')) - self.coinbase: CoinbasePattern2 = CoinbasePattern2(client, _m(acc, 'coinbase')) - self.days_since_block: MetricPattern4[StoredU16] = MetricPattern4(client, _m(acc, 'days_since_block')) - self.dominance: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'dominance')) - self.fee: UnclaimedRewardsPattern = UnclaimedRewardsPattern(client, _m(acc, 'fee')) - self.subsidy: UnclaimedRewardsPattern = UnclaimedRewardsPattern(client, _m(acc, 'subsidy')) -class PriceAgoPattern(Generic[T]): - """Pattern struct for repeated tree structure.""" - def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self._10y: MetricPattern4[T] = MetricPattern4(client, _m(acc, '10y_ago')) - self._1d: MetricPattern4[T] = MetricPattern4(client, _m(acc, '1d_ago')) - self._1m: MetricPattern4[T] = MetricPattern4(client, _m(acc, '1m_ago')) - self._1w: MetricPattern4[T] = MetricPattern4(client, _m(acc, '1w_ago')) - self._1y: MetricPattern4[T] = MetricPattern4(client, _m(acc, '1y_ago')) - self._2y: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2y_ago')) - self._3m: MetricPattern4[T] = MetricPattern4(client, _m(acc, '3m_ago')) - self._3y: MetricPattern4[T] = MetricPattern4(client, _m(acc, '3y_ago')) - self._4y: MetricPattern4[T] = MetricPattern4(client, _m(acc, '4y_ago')) - self._5y: MetricPattern4[T] = MetricPattern4(client, _m(acc, '5y_ago')) - self._6m: MetricPattern4[T] = MetricPattern4(client, _m(acc, '6m_ago')) - self._6y: MetricPattern4[T] = MetricPattern4(client, _m(acc, '6y_ago')) - self._8y: MetricPattern4[T] = MetricPattern4(client, _m(acc, '8y_ago')) + self._1m_blocks_mined: MetricPattern1[StoredU32] = MetricPattern1( + client, _m(acc, "1m_blocks_mined") + ) + self._1m_dominance: MetricPattern1[StoredF32] = MetricPattern1( + client, _m(acc, "1m_dominance") + ) + self._1w_blocks_mined: MetricPattern1[StoredU32] = MetricPattern1( + client, _m(acc, "1w_blocks_mined") + ) + self._1w_dominance: MetricPattern1[StoredF32] = MetricPattern1( + client, _m(acc, "1w_dominance") + ) + self._1y_blocks_mined: MetricPattern1[StoredU32] = MetricPattern1( + client, _m(acc, "1y_blocks_mined") + ) + self._1y_dominance: MetricPattern1[StoredF32] = MetricPattern1( + client, _m(acc, "1y_dominance") + ) + self._24h_blocks_mined: MetricPattern1[StoredU32] = MetricPattern1( + client, _m(acc, "24h_blocks_mined") + ) + self._24h_dominance: MetricPattern1[StoredF32] = MetricPattern1( + client, _m(acc, "24h_dominance") + ) + self.blocks_mined: BlockCountPattern[StoredU32] = BlockCountPattern( + client, _m(acc, "blocks_mined") + ) + self.coinbase: CoinbasePattern2 = CoinbasePattern2(client, _m(acc, "coinbase")) + self.days_since_block: MetricPattern4[StoredU16] = MetricPattern4( + client, _m(acc, "days_since_block") + ) + self.dominance: MetricPattern1[StoredF32] = MetricPattern1( + client, _m(acc, "dominance") + ) + self.fee: UnclaimedRewardsPattern = UnclaimedRewardsPattern( + client, _m(acc, "fee") + ) + self.subsidy: UnclaimedRewardsPattern = UnclaimedRewardsPattern( + client, _m(acc, "subsidy") + ) + + +class LookbackPattern(Generic[T]): + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self._10y: MetricPattern4[T] = MetricPattern4(client, _m(acc, "10y_ago")) + self._1d: MetricPattern4[T] = MetricPattern4(client, _m(acc, "1d_ago")) + self._1m: MetricPattern4[T] = MetricPattern4(client, _m(acc, "1m_ago")) + self._1w: MetricPattern4[T] = MetricPattern4(client, _m(acc, "1w_ago")) + self._1y: MetricPattern4[T] = MetricPattern4(client, _m(acc, "1y_ago")) + self._2y: MetricPattern4[T] = MetricPattern4(client, _m(acc, "2y_ago")) + self._3m: MetricPattern4[T] = MetricPattern4(client, _m(acc, "3m_ago")) + self._3y: MetricPattern4[T] = MetricPattern4(client, _m(acc, "3y_ago")) + self._4y: MetricPattern4[T] = MetricPattern4(client, _m(acc, "4y_ago")) + self._5y: MetricPattern4[T] = MetricPattern4(client, _m(acc, "5y_ago")) + self._6m: MetricPattern4[T] = MetricPattern4(client, _m(acc, "6m_ago")) + self._6y: MetricPattern4[T] = MetricPattern4(client, _m(acc, "6y_ago")) + self._8y: MetricPattern4[T] = MetricPattern4(client, _m(acc, "8y_ago")) + class PeriodLumpSumStackPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self._10y: _2015Pattern = _2015Pattern(client, _p('10y', acc)) - self._1m: _2015Pattern = _2015Pattern(client, _p('1m', acc)) - self._1w: _2015Pattern = _2015Pattern(client, _p('1w', acc)) - self._1y: _2015Pattern = _2015Pattern(client, _p('1y', acc)) - self._2y: _2015Pattern = _2015Pattern(client, _p('2y', acc)) - self._3m: _2015Pattern = _2015Pattern(client, _p('3m', acc)) - self._3y: _2015Pattern = _2015Pattern(client, _p('3y', acc)) - self._4y: _2015Pattern = _2015Pattern(client, _p('4y', acc)) - self._5y: _2015Pattern = _2015Pattern(client, _p('5y', acc)) - self._6m: _2015Pattern = _2015Pattern(client, _p('6m', acc)) - self._6y: _2015Pattern = _2015Pattern(client, _p('6y', acc)) - self._8y: _2015Pattern = _2015Pattern(client, _p('8y', acc)) + self._10y: _2015Pattern = _2015Pattern(client, _p("10y", acc)) + self._1m: _2015Pattern = _2015Pattern(client, _p("1m", acc)) + self._1w: _2015Pattern = _2015Pattern(client, _p("1w", acc)) + self._1y: _2015Pattern = _2015Pattern(client, _p("1y", acc)) + self._2y: _2015Pattern = _2015Pattern(client, _p("2y", acc)) + self._3m: _2015Pattern = _2015Pattern(client, _p("3m", acc)) + self._3y: _2015Pattern = _2015Pattern(client, _p("3y", acc)) + self._4y: _2015Pattern = _2015Pattern(client, _p("4y", acc)) + self._5y: _2015Pattern = _2015Pattern(client, _p("5y", acc)) + self._6m: _2015Pattern = _2015Pattern(client, _p("6m", acc)) + self._6y: _2015Pattern = _2015Pattern(client, _p("6y", acc)) + self._8y: _2015Pattern = _2015Pattern(client, _p("8y", acc)) + class PeriodAveragePricePattern(Generic[T]): """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self._10y: MetricPattern4[T] = MetricPattern4(client, _p('10y', acc)) - self._1m: MetricPattern4[T] = MetricPattern4(client, _p('1m', acc)) - self._1w: MetricPattern4[T] = MetricPattern4(client, _p('1w', acc)) - self._1y: MetricPattern4[T] = MetricPattern4(client, _p('1y', acc)) - self._2y: MetricPattern4[T] = MetricPattern4(client, _p('2y', acc)) - self._3m: MetricPattern4[T] = MetricPattern4(client, _p('3m', acc)) - self._3y: MetricPattern4[T] = MetricPattern4(client, _p('3y', acc)) - self._4y: MetricPattern4[T] = MetricPattern4(client, _p('4y', acc)) - self._5y: MetricPattern4[T] = MetricPattern4(client, _p('5y', acc)) - self._6m: MetricPattern4[T] = MetricPattern4(client, _p('6m', acc)) - self._6y: MetricPattern4[T] = MetricPattern4(client, _p('6y', acc)) - self._8y: MetricPattern4[T] = MetricPattern4(client, _p('8y', acc)) + self._10y: MetricPattern4[T] = MetricPattern4(client, _p("10y", acc)) + self._1m: MetricPattern4[T] = MetricPattern4(client, _p("1m", acc)) + self._1w: MetricPattern4[T] = MetricPattern4(client, _p("1w", acc)) + self._1y: MetricPattern4[T] = MetricPattern4(client, _p("1y", acc)) + self._2y: MetricPattern4[T] = MetricPattern4(client, _p("2y", acc)) + self._3m: MetricPattern4[T] = MetricPattern4(client, _p("3m", acc)) + self._3y: MetricPattern4[T] = MetricPattern4(client, _p("3y", acc)) + self._4y: MetricPattern4[T] = MetricPattern4(client, _p("4y", acc)) + self._5y: MetricPattern4[T] = MetricPattern4(client, _p("5y", acc)) + self._6m: MetricPattern4[T] = MetricPattern4(client, _p("6m", acc)) + self._6y: MetricPattern4[T] = MetricPattern4(client, _p("6y", acc)) + self._8y: MetricPattern4[T] = MetricPattern4(client, _p("8y", acc)) + class BitcoinPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.average: MetricPattern2[Bitcoin] = MetricPattern2(client, _m(acc, 'average')) + self.average: MetricPattern2[Bitcoin] = MetricPattern2( + client, _m(acc, "average") + ) self.base: MetricPattern11[Bitcoin] = MetricPattern11(client, acc) - self.cumulative: MetricPattern2[Bitcoin] = MetricPattern2(client, _m(acc, 'cumulative')) - self.max: MetricPattern2[Bitcoin] = MetricPattern2(client, _m(acc, 'max')) - self.median: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, 'median')) - self.min: MetricPattern2[Bitcoin] = MetricPattern2(client, _m(acc, 'min')) - self.pct10: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, 'pct10')) - self.pct25: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, 'pct25')) - self.pct75: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, 'pct75')) - self.pct90: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, 'pct90')) - self.sum: MetricPattern2[Bitcoin] = MetricPattern2(client, _m(acc, 'sum')) + self.cumulative: MetricPattern2[Bitcoin] = MetricPattern2( + client, _m(acc, "cumulative") + ) + self.max: MetricPattern2[Bitcoin] = MetricPattern2(client, _m(acc, "max")) + self.median: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, "median")) + self.min: MetricPattern2[Bitcoin] = MetricPattern2(client, _m(acc, "min")) + self.pct10: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, "pct10")) + self.pct25: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, "pct25")) + self.pct75: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, "pct75")) + self.pct90: MetricPattern6[Bitcoin] = MetricPattern6(client, _m(acc, "pct90")) + self.sum: MetricPattern2[Bitcoin] = MetricPattern2(client, _m(acc, "sum")) + class ClassAveragePricePattern(Generic[T]): """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self._2015: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2015_returns')) - self._2016: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2016_returns')) - self._2017: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2017_returns')) - self._2018: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2018_returns')) - self._2019: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2019_returns')) - self._2020: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2020_returns')) - self._2021: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2021_returns')) - self._2022: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2022_returns')) - self._2023: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2023_returns')) - self._2024: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2024_returns')) - self._2025: MetricPattern4[T] = MetricPattern4(client, _m(acc, '2025_returns')) + self._2015: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2015_average_price") + ) + self._2016: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2016_average_price") + ) + self._2017: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2017_average_price") + ) + self._2018: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2018_average_price") + ) + self._2019: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2019_average_price") + ) + self._2020: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2020_average_price") + ) + self._2021: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2021_average_price") + ) + self._2022: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2022_average_price") + ) + self._2023: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2023_average_price") + ) + self._2024: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2024_average_price") + ) + self._2025: MetricPattern4[T] = MetricPattern4( + client, _m(acc, "2025_average_price") + ) + class DollarsPattern(Generic[T]): """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.average: MetricPattern2[T] = MetricPattern2(client, _m(acc, 'average')) - self.base: MetricPattern11[T] = MetricPattern11(client, acc) - self.cumulative: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'cumulative')) - self.max: MetricPattern2[T] = MetricPattern2(client, _m(acc, 'max')) - self.median: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'median')) - self.min: MetricPattern2[T] = MetricPattern2(client, _m(acc, 'min')) - self.pct10: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'pct10')) - self.pct25: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'pct25')) - self.pct75: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'pct75')) - self.pct90: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'pct90')) - self.sum: MetricPattern2[T] = MetricPattern2(client, _m(acc, 'sum')) -class RelativePattern: - """Pattern struct for repeated tree structure.""" - def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.neg_unrealized_loss_rel_to_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'neg_unrealized_loss_rel_to_market_cap')) - self.net_unrealized_pnl_rel_to_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'net_unrealized_pnl_rel_to_market_cap')) - self.nupl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'nupl')) - self.supply_in_loss_rel_to_circulating_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_loss_rel_to_circulating_supply')) - self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_loss_rel_to_own_supply')) - self.supply_in_profit_rel_to_circulating_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_profit_rel_to_circulating_supply')) - self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_profit_rel_to_own_supply')) - self.supply_rel_to_circulating_supply: MetricPattern4[StoredF64] = MetricPattern4(client, _m(acc, 'supply_rel_to_circulating_supply')) - self.unrealized_loss_rel_to_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_loss_rel_to_market_cap')) - self.unrealized_profit_rel_to_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_profit_rel_to_market_cap')) + self.average: MetricPattern2[T] = MetricPattern2(client, _m(acc, "average")) + self.base: MetricPattern11[T] = MetricPattern11(client, acc) + self.cumulative: MetricPattern1[T] = MetricPattern1( + client, _m(acc, "cumulative") + ) + self.max: MetricPattern2[T] = MetricPattern2(client, _m(acc, "max")) + self.median: MetricPattern6[T] = MetricPattern6(client, _m(acc, "median")) + self.min: MetricPattern2[T] = MetricPattern2(client, _m(acc, "min")) + self.pct10: MetricPattern6[T] = MetricPattern6(client, _m(acc, "pct10")) + self.pct25: MetricPattern6[T] = MetricPattern6(client, _m(acc, "pct25")) + self.pct75: MetricPattern6[T] = MetricPattern6(client, _m(acc, "pct75")) + self.pct90: MetricPattern6[T] = MetricPattern6(client, _m(acc, "pct90")) + self.sum: MetricPattern2[T] = MetricPattern2(client, _m(acc, "sum")) + class RelativePattern2: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'neg_unrealized_loss_rel_to_own_market_cap')) - self.neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'neg_unrealized_loss_rel_to_own_total_unrealized_pnl')) - self.net_unrealized_pnl_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'net_unrealized_pnl_rel_to_own_market_cap')) - self.net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'net_unrealized_pnl_rel_to_own_total_unrealized_pnl')) - self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_loss_rel_to_own_supply')) - self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'supply_in_profit_rel_to_own_supply')) - self.unrealized_loss_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_loss_rel_to_own_market_cap')) - self.unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_loss_rel_to_own_total_unrealized_pnl')) - self.unrealized_profit_rel_to_own_market_cap: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_profit_rel_to_own_market_cap')) - self.unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, 'unrealized_profit_rel_to_own_total_unrealized_pnl')) + self.neg_unrealized_loss_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "neg_unrealized_loss_rel_to_own_market_cap")) + ) + self.neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, _m(acc, "neg_unrealized_loss_rel_to_own_total_unrealized_pnl") + ) + self.net_unrealized_pnl_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "net_unrealized_pnl_rel_to_own_market_cap")) + ) + self.net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, _m(acc, "net_unrealized_pnl_rel_to_own_total_unrealized_pnl") + ) + self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "supply_in_loss_rel_to_own_supply")) + ) + self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "supply_in_profit_rel_to_own_supply")) + ) + self.unrealized_loss_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "unrealized_loss_rel_to_own_market_cap")) + ) + self.unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, _m(acc, "unrealized_loss_rel_to_own_total_unrealized_pnl") + ) + self.unrealized_profit_rel_to_own_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "unrealized_profit_rel_to_own_market_cap")) + ) + self.unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, _m(acc, "unrealized_profit_rel_to_own_total_unrealized_pnl") + ) + + +class RelativePattern: + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.neg_unrealized_loss_rel_to_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "neg_unrealized_loss_rel_to_market_cap")) + ) + self.net_unrealized_pnl_rel_to_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "net_unrealized_pnl_rel_to_market_cap")) + ) + self.nupl: MetricPattern1[StoredF32] = MetricPattern1(client, _m(acc, "nupl")) + self.supply_in_loss_rel_to_circulating_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "supply_in_loss_rel_to_circulating_supply")) + ) + self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "supply_in_loss_rel_to_own_supply")) + ) + self.supply_in_profit_rel_to_circulating_supply: MetricPattern1[StoredF64] = ( + MetricPattern1( + client, _m(acc, "supply_in_profit_rel_to_circulating_supply") + ) + ) + self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "supply_in_profit_rel_to_own_supply")) + ) + self.supply_rel_to_circulating_supply: MetricPattern4[StoredF64] = ( + MetricPattern4(client, _m(acc, "supply_rel_to_circulating_supply")) + ) + self.unrealized_loss_rel_to_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "unrealized_loss_rel_to_market_cap")) + ) + self.unrealized_profit_rel_to_market_cap: MetricPattern1[StoredF32] = ( + MetricPattern1(client, _m(acc, "unrealized_profit_rel_to_market_cap")) + ) + class CountPattern2(Generic[T]): """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.average: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'average')) - self.cumulative: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'cumulative')) - self.max: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'max')) - self.median: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'median')) - self.min: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'min')) - self.pct10: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'pct10')) - self.pct25: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'pct25')) - self.pct75: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'pct75')) - self.pct90: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'pct90')) - self.sum: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'sum')) + self.average: MetricPattern1[T] = MetricPattern1(client, _m(acc, "average")) + self.cumulative: MetricPattern1[T] = MetricPattern1( + client, _m(acc, "cumulative") + ) + self.max: MetricPattern1[T] = MetricPattern1(client, _m(acc, "max")) + self.median: MetricPattern11[T] = MetricPattern11(client, _m(acc, "median")) + self.min: MetricPattern1[T] = MetricPattern1(client, _m(acc, "min")) + self.pct10: MetricPattern11[T] = MetricPattern11(client, _m(acc, "pct10")) + self.pct25: MetricPattern11[T] = MetricPattern11(client, _m(acc, "pct25")) + self.pct75: MetricPattern11[T] = MetricPattern11(client, _m(acc, "pct75")) + self.pct90: MetricPattern11[T] = MetricPattern11(client, _m(acc, "pct90")) + self.sum: MetricPattern1[T] = MetricPattern1(client, _m(acc, "sum")) + class AddrCountPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.all: MetricPattern1[StoredU64] = MetricPattern1(client, acc) - self.p2a: MetricPattern1[StoredU64] = MetricPattern1(client, _p('p2a', acc)) - self.p2pk33: MetricPattern1[StoredU64] = MetricPattern1(client, _p('p2pk33', acc)) - self.p2pk65: MetricPattern1[StoredU64] = MetricPattern1(client, _p('p2pk65', acc)) - self.p2pkh: MetricPattern1[StoredU64] = MetricPattern1(client, _p('p2pkh', acc)) - self.p2sh: MetricPattern1[StoredU64] = MetricPattern1(client, _p('p2sh', acc)) - self.p2tr: MetricPattern1[StoredU64] = MetricPattern1(client, _p('p2tr', acc)) - self.p2wpkh: MetricPattern1[StoredU64] = MetricPattern1(client, _p('p2wpkh', acc)) - self.p2wsh: MetricPattern1[StoredU64] = MetricPattern1(client, _p('p2wsh', acc)) + self.p2a: MetricPattern1[StoredU64] = MetricPattern1(client, _p("p2a", acc)) + self.p2pk33: MetricPattern1[StoredU64] = MetricPattern1( + client, _p("p2pk33", acc) + ) + self.p2pk65: MetricPattern1[StoredU64] = MetricPattern1( + client, _p("p2pk65", acc) + ) + self.p2pkh: MetricPattern1[StoredU64] = MetricPattern1(client, _p("p2pkh", acc)) + self.p2sh: MetricPattern1[StoredU64] = MetricPattern1(client, _p("p2sh", acc)) + self.p2tr: MetricPattern1[StoredU64] = MetricPattern1(client, _p("p2tr", acc)) + self.p2wpkh: MetricPattern1[StoredU64] = MetricPattern1( + client, _p("p2wpkh", acc) + ) + self.p2wsh: MetricPattern1[StoredU64] = MetricPattern1(client, _p("p2wsh", acc)) -class FeeRatePattern(Generic[T]): - """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.average: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'average')) - self.max: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'max')) - self.median: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'median')) - self.min: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'min')) - self.pct10: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'pct10')) - self.pct25: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'pct25')) - self.pct75: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'pct75')) - self.pct90: MetricPattern11[T] = MetricPattern11(client, _m(acc, 'pct90')) - self.txindex: MetricPattern27[T] = MetricPattern27(client, acc) class FullnessPattern(Generic[T]): """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.average: MetricPattern2[T] = MetricPattern2(client, _m(acc, 'average')) + self.average: MetricPattern2[T] = MetricPattern2(client, _m(acc, "average")) self.base: MetricPattern11[T] = MetricPattern11(client, acc) - self.max: MetricPattern2[T] = MetricPattern2(client, _m(acc, 'max')) - self.median: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'median')) - self.min: MetricPattern2[T] = MetricPattern2(client, _m(acc, 'min')) - self.pct10: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'pct10')) - self.pct25: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'pct25')) - self.pct75: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'pct75')) - self.pct90: MetricPattern6[T] = MetricPattern6(client, _m(acc, 'pct90')) + self.max: MetricPattern2[T] = MetricPattern2(client, _m(acc, "max")) + self.median: MetricPattern6[T] = MetricPattern6(client, _m(acc, "median")) + self.min: MetricPattern2[T] = MetricPattern2(client, _m(acc, "min")) + self.pct10: MetricPattern6[T] = MetricPattern6(client, _m(acc, "pct10")) + self.pct25: MetricPattern6[T] = MetricPattern6(client, _m(acc, "pct25")) + self.pct75: MetricPattern6[T] = MetricPattern6(client, _m(acc, "pct75")) + self.pct90: MetricPattern6[T] = MetricPattern6(client, _m(acc, "pct90")) + + +class FeeRatePattern(Generic[T]): + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.average: MetricPattern1[T] = MetricPattern1(client, _m(acc, "average")) + self.max: MetricPattern1[T] = MetricPattern1(client, _m(acc, "max")) + self.median: MetricPattern11[T] = MetricPattern11(client, _m(acc, "median")) + self.min: MetricPattern1[T] = MetricPattern1(client, _m(acc, "min")) + self.pct10: MetricPattern11[T] = MetricPattern11(client, _m(acc, "pct10")) + self.pct25: MetricPattern11[T] = MetricPattern11(client, _m(acc, "pct25")) + self.pct75: MetricPattern11[T] = MetricPattern11(client, _m(acc, "pct75")) + self.pct90: MetricPattern11[T] = MetricPattern11(client, _m(acc, "pct90")) + self.txindex: MetricPattern27[T] = MetricPattern27(client, acc) + class _0satsPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.activity: ActivityPattern2 = ActivityPattern2(client, acc) - self.addr_count: MetricPattern1[StoredU64] = MetricPattern1(client, _m(acc, 'addr_count')) + self.addr_count: MetricPattern1[StoredU64] = MetricPattern1( + client, _m(acc, "addr_count") + ) self.cost_basis: CostBasisPattern = CostBasisPattern(client, acc) - self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, 'utxo_count')) + self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, "utxo_count")) self.realized: RealizedPattern = RealizedPattern(client, acc) self.relative: RelativePattern = RelativePattern(client, acc) - self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, 'supply')) + self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, "supply")) self.unrealized: UnrealizedPattern = UnrealizedPattern(client, acc) + +class UnrealizedPattern: + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.neg_unrealized_loss: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "neg_unrealized_loss") + ) + self.net_unrealized_pnl: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "net_unrealized_pnl") + ) + self.supply_in_loss: ActiveSupplyPattern = ActiveSupplyPattern( + client, _m(acc, "supply_in_loss") + ) + self.supply_in_profit: ActiveSupplyPattern = ActiveSupplyPattern( + client, _m(acc, "supply_in_profit") + ) + self.total_unrealized_pnl: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "total_unrealized_pnl") + ) + self.unrealized_loss: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "unrealized_loss") + ) + self.unrealized_profit: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "unrealized_profit") + ) + + class _100btcPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.activity: ActivityPattern2 = ActivityPattern2(client, acc) self.cost_basis: CostBasisPattern = CostBasisPattern(client, acc) - self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, 'utxo_count')) + self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, "utxo_count")) self.realized: RealizedPattern = RealizedPattern(client, acc) self.relative: RelativePattern = RelativePattern(client, acc) - self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, 'supply')) + self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, "supply")) self.unrealized: UnrealizedPattern = UnrealizedPattern(client, acc) + +class _10yPattern: + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.activity: ActivityPattern2 = ActivityPattern2(client, acc) + self.cost_basis: CostBasisPattern = CostBasisPattern(client, acc) + self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, "utxo_count")) + self.realized: RealizedPattern4 = RealizedPattern4(client, acc) + self.relative: RelativePattern = RelativePattern(client, acc) + self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, "supply")) + self.unrealized: UnrealizedPattern = UnrealizedPattern(client, acc) + + +class PeriodCagrPattern: + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self._10y: MetricPattern4[StoredF32] = MetricPattern4(client, _p("10y", acc)) + self._2y: MetricPattern4[StoredF32] = MetricPattern4(client, _p("2y", acc)) + self._3y: MetricPattern4[StoredF32] = MetricPattern4(client, _p("3y", acc)) + self._4y: MetricPattern4[StoredF32] = MetricPattern4(client, _p("4y", acc)) + self._5y: MetricPattern4[StoredF32] = MetricPattern4(client, _p("5y", acc)) + self._6y: MetricPattern4[StoredF32] = MetricPattern4(client, _p("6y", acc)) + self._8y: MetricPattern4[StoredF32] = MetricPattern4(client, _p("8y", acc)) + + +class _0satsPattern2: + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.activity: ActivityPattern2 = ActivityPattern2(client, acc) + self.cost_basis: CostBasisPattern = CostBasisPattern(client, acc) + self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, "utxo_count")) + self.realized: RealizedPattern = RealizedPattern(client, acc) + self.relative: RelativePattern4 = RelativePattern4(client, _m(acc, "supply_in")) + self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, "supply")) + self.unrealized: UnrealizedPattern = UnrealizedPattern(client, acc) + + class _10yTo12yPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.activity: ActivityPattern2 = ActivityPattern2(client, acc) self.cost_basis: CostBasisPattern2 = CostBasisPattern2(client, acc) - self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, 'utxo_count')) + self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, "utxo_count")) self.realized: RealizedPattern2 = RealizedPattern2(client, acc) self.relative: RelativePattern2 = RelativePattern2(client, acc) - self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, 'supply')) + self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, "supply")) self.unrealized: UnrealizedPattern = UnrealizedPattern(client, acc) -class PeriodCagrPattern: - """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self._10y: MetricPattern4[StoredF32] = MetricPattern4(client, _p('10y', acc)) - self._2y: MetricPattern4[StoredF32] = MetricPattern4(client, _p('2y', acc)) - self._3y: MetricPattern4[StoredF32] = MetricPattern4(client, _p('3y', acc)) - self._4y: MetricPattern4[StoredF32] = MetricPattern4(client, _p('4y', acc)) - self._5y: MetricPattern4[StoredF32] = MetricPattern4(client, _p('5y', acc)) - self._6y: MetricPattern4[StoredF32] = MetricPattern4(client, _p('6y', acc)) - self._8y: MetricPattern4[StoredF32] = MetricPattern4(client, _p('8y', acc)) - -class _0satsPattern2: - """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.activity: ActivityPattern2 = ActivityPattern2(client, acc) - self.cost_basis: CostBasisPattern = CostBasisPattern(client, acc) - self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, 'utxo_count')) - self.realized: RealizedPattern = RealizedPattern(client, acc) - self.relative: RelativePattern4 = RelativePattern4(client, _m(acc, 'supply_in')) - self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, 'supply')) - self.unrealized: UnrealizedPattern = UnrealizedPattern(client, acc) - -class UnrealizedPattern: - """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.neg_unrealized_loss: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'neg_unrealized_loss')) - self.net_unrealized_pnl: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'net_unrealized_pnl')) - self.supply_in_loss: ActiveSupplyPattern = ActiveSupplyPattern(client, _m(acc, 'supply_in_loss')) - self.supply_in_profit: ActiveSupplyPattern = ActiveSupplyPattern(client, _m(acc, 'supply_in_profit')) - self.total_unrealized_pnl: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'total_unrealized_pnl')) - self.unrealized_loss: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'unrealized_loss')) - self.unrealized_profit: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'unrealized_profit')) - -class _10yPattern: - """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.activity: ActivityPattern2 = ActivityPattern2(client, acc) - self.cost_basis: CostBasisPattern = CostBasisPattern(client, acc) - self.outputs: OutputsPattern = OutputsPattern(client, _m(acc, 'utxo_count')) - self.realized: RealizedPattern4 = RealizedPattern4(client, acc) - self.relative: RelativePattern = RelativePattern(client, acc) - self.supply: SupplyPattern2 = SupplyPattern2(client, _m(acc, 'supply')) - self.unrealized: UnrealizedPattern = UnrealizedPattern(client, acc) class ActivityPattern2: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.coinblocks_destroyed: BlockCountPattern[StoredF64] = BlockCountPattern(client, _m(acc, 'coinblocks_destroyed')) - self.coindays_destroyed: BlockCountPattern[StoredF64] = BlockCountPattern(client, _m(acc, 'coindays_destroyed')) - self.satblocks_destroyed: MetricPattern11[Sats] = MetricPattern11(client, _m(acc, 'satblocks_destroyed')) - self.satdays_destroyed: MetricPattern11[Sats] = MetricPattern11(client, _m(acc, 'satdays_destroyed')) - self.sent: UnclaimedRewardsPattern = UnclaimedRewardsPattern(client, _m(acc, 'sent')) + self.coinblocks_destroyed: BlockCountPattern[StoredF64] = BlockCountPattern( + client, _m(acc, "coinblocks_destroyed") + ) + self.coindays_destroyed: BlockCountPattern[StoredF64] = BlockCountPattern( + client, _m(acc, "coindays_destroyed") + ) + self.satblocks_destroyed: MetricPattern11[Sats] = MetricPattern11( + client, _m(acc, "satblocks_destroyed") + ) + self.satdays_destroyed: MetricPattern11[Sats] = MetricPattern11( + client, _m(acc, "satdays_destroyed") + ) + self.sent: UnclaimedRewardsPattern = UnclaimedRewardsPattern( + client, _m(acc, "sent") + ) + class SplitPattern2(Generic[T]): """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.close: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'close')) - self.high: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'high')) - self.low: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'low')) - self.open: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'open')) -class ActiveSupplyPattern: - """Pattern struct for repeated tree structure.""" - def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.bitcoin: MetricPattern1[Bitcoin] = MetricPattern1(client, _m(acc, 'btc')) - self.dollars: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'usd')) - self.sats: MetricPattern1[Sats] = MetricPattern1(client, acc) + self.close: MetricPattern1[T] = MetricPattern1(client, _m(acc, "close")) + self.high: MetricPattern1[T] = MetricPattern1(client, _m(acc, "high")) + self.low: MetricPattern1[T] = MetricPattern1(client, _m(acc, "low")) + self.open: MetricPattern1[T] = MetricPattern1(client, _m(acc, "open")) -class CoinbasePattern: - """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.bitcoin: BitcoinPattern = BitcoinPattern(client, _m(acc, 'btc')) - self.dollars: DollarsPattern[Dollars] = DollarsPattern(client, _m(acc, 'usd')) - self.sats: DollarsPattern[Sats] = DollarsPattern(client, acc) - -class CoinbasePattern2: - """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.bitcoin: BlockCountPattern[Bitcoin] = BlockCountPattern(client, _m(acc, 'btc')) - self.dollars: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'usd')) - self.sats: BlockCountPattern[Sats] = BlockCountPattern(client, acc) class SegwitAdoptionPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.base: MetricPattern11[StoredF32] = MetricPattern11(client, acc) - self.cumulative: MetricPattern2[StoredF32] = MetricPattern2(client, _m(acc, 'cumulative')) - self.sum: MetricPattern2[StoredF32] = MetricPattern2(client, _m(acc, 'sum')) + self.cumulative: MetricPattern2[StoredF32] = MetricPattern2( + client, _m(acc, "cumulative") + ) + self.sum: MetricPattern2[StoredF32] = MetricPattern2(client, _m(acc, "sum")) + class CostBasisPattern2: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.max: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'max_cost_basis')) - self.min: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'min_cost_basis')) - self.percentiles: PercentilesPattern = PercentilesPattern(client, _m(acc, 'cost_basis')) + self.max: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "max_cost_basis") + ) + self.min: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "min_cost_basis") + ) + self.percentiles: PercentilesPattern = PercentilesPattern( + client, _m(acc, "cost_basis") + ) + + +class ActiveSupplyPattern: + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.bitcoin: MetricPattern1[Bitcoin] = MetricPattern1(client, _m(acc, "btc")) + self.dollars: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, "usd")) + self.sats: MetricPattern1[Sats] = MetricPattern1(client, acc) + class UnclaimedRewardsPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.bitcoin: BitcoinPattern2[Bitcoin] = BitcoinPattern2(client, _m(acc, 'btc')) - self.dollars: BlockCountPattern[Dollars] = BlockCountPattern(client, _m(acc, 'usd')) + self.bitcoin: BitcoinPattern2[Bitcoin] = BitcoinPattern2(client, _m(acc, "btc")) + self.dollars: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "usd") + ) self.sats: BlockCountPattern[Sats] = BlockCountPattern(client, acc) + class _2015Pattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.bitcoin: MetricPattern4[Bitcoin] = MetricPattern4(client, _m(acc, 'btc')) - self.dollars: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, 'usd')) + self.bitcoin: MetricPattern4[Bitcoin] = MetricPattern4(client, _m(acc, "btc")) + self.dollars: MetricPattern4[Dollars] = MetricPattern4(client, _m(acc, "usd")) self.sats: MetricPattern4[Sats] = MetricPattern4(client, acc) -class _1dReturns1mSdPattern: + +class CoinbasePattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'sd')) - self.sma: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, 'sma')) + self.bitcoin: BitcoinPattern = BitcoinPattern(client, _m(acc, "btc")) + self.dollars: DollarsPattern[Dollars] = DollarsPattern(client, _m(acc, "usd")) + self.sats: DollarsPattern[Sats] = DollarsPattern(client, acc) + + +class CoinbasePattern2: + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.bitcoin: BlockCountPattern[Bitcoin] = BlockCountPattern( + client, _m(acc, "btc") + ) + self.dollars: BlockCountPattern[Dollars] = BlockCountPattern( + client, _m(acc, "usd") + ) + self.sats: BlockCountPattern[Sats] = BlockCountPattern(client, acc) + class RelativePattern4: """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'loss_rel_to_own_supply')) - self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, _m(acc, 'profit_rel_to_own_supply')) -class SupplyPattern2: - """Pattern struct for repeated tree structure.""" - def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.halved: ActiveSupplyPattern = ActiveSupplyPattern(client, _m(acc, 'halved')) - self.total: ActiveSupplyPattern = ActiveSupplyPattern(client, acc) + self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "loss_rel_to_own_supply")) + ) + self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, _m(acc, "profit_rel_to_own_supply")) + ) + class CostBasisPattern: """Pattern struct for repeated tree structure.""" - - def __init__(self, client: BrkClientBase, acc: str): - """Create pattern node with accumulated metric name.""" - self.max: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'max_cost_basis')) - self.min: MetricPattern1[Dollars] = MetricPattern1(client, _m(acc, 'min_cost_basis')) -class BlockCountPattern(Generic[T]): - """Pattern struct for repeated tree structure.""" - def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.cumulative: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'cumulative')) - self.sum: MetricPattern1[T] = MetricPattern1(client, acc) + self.max: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "max_cost_basis") + ) + self.min: MetricPattern1[Dollars] = MetricPattern1( + client, _m(acc, "min_cost_basis") + ) -class BitcoinPattern2(Generic[T]): + +class _1dReturns1mSdPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.cumulative: MetricPattern2[T] = MetricPattern2(client, _m(acc, 'cumulative')) - self.sum: MetricPattern1[T] = MetricPattern1(client, acc) + self.sd: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "sd")) + self.sma: MetricPattern4[StoredF32] = MetricPattern4(client, _m(acc, "sma")) + + +class SupplyPattern2: + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.halved: ActiveSupplyPattern = ActiveSupplyPattern( + client, _m(acc, "halved") + ) + self.total: ActiveSupplyPattern = ActiveSupplyPattern(client, acc) + class SatsPattern(Generic[T]): """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" - self.ohlc: MetricPattern1[T] = MetricPattern1(client, _m(acc, 'ohlc_sats')) - self.split: SplitPattern2[T] = SplitPattern2(client, _m(acc, 'sats')) + self.ohlc: MetricPattern1[T] = MetricPattern1(client, _m(acc, "ohlc_sats")) + self.split: SplitPattern2[T] = SplitPattern2(client, _m(acc, "sats")) + + +class BlockCountPattern(Generic[T]): + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.cumulative: MetricPattern1[T] = MetricPattern1( + client, _m(acc, "cumulative") + ) + self.sum: MetricPattern1[T] = MetricPattern1(client, acc) + + +class BitcoinPattern2(Generic[T]): + """Pattern struct for repeated tree structure.""" + + def __init__(self, client: BrkClientBase, acc: str): + """Create pattern node with accumulated metric name.""" + self.cumulative: MetricPattern2[T] = MetricPattern2( + client, _m(acc, "cumulative") + ) + self.sum: MetricPattern1[T] = MetricPattern1(client, acc) + class RealizedPriceExtraPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.ratio: MetricPattern4[StoredF32] = MetricPattern4(client, acc) + class OutputsPattern: """Pattern struct for repeated tree structure.""" - + def __init__(self, client: BrkClientBase, acc: str): """Create pattern node with accumulated metric name.""" self.utxo_count: MetricPattern1[StoredU64] = MetricPattern1(client, acc) + # Metrics tree classes + class MetricsTree_Addresses: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.first_p2aaddressindex: MetricPattern11[P2AAddressIndex] = MetricPattern11(client, 'first_p2aaddressindex') - self.first_p2pk33addressindex: MetricPattern11[P2PK33AddressIndex] = MetricPattern11(client, 'first_p2pk33addressindex') - self.first_p2pk65addressindex: MetricPattern11[P2PK65AddressIndex] = MetricPattern11(client, 'first_p2pk65addressindex') - self.first_p2pkhaddressindex: MetricPattern11[P2PKHAddressIndex] = MetricPattern11(client, 'first_p2pkhaddressindex') - self.first_p2shaddressindex: MetricPattern11[P2SHAddressIndex] = MetricPattern11(client, 'first_p2shaddressindex') - self.first_p2traddressindex: MetricPattern11[P2TRAddressIndex] = MetricPattern11(client, 'first_p2traddressindex') - self.first_p2wpkhaddressindex: MetricPattern11[P2WPKHAddressIndex] = MetricPattern11(client, 'first_p2wpkhaddressindex') - self.first_p2wshaddressindex: MetricPattern11[P2WSHAddressIndex] = MetricPattern11(client, 'first_p2wshaddressindex') - self.p2abytes: MetricPattern16[P2ABytes] = MetricPattern16(client, 'p2abytes') - self.p2pk33bytes: MetricPattern18[P2PK33Bytes] = MetricPattern18(client, 'p2pk33bytes') - self.p2pk65bytes: MetricPattern19[P2PK65Bytes] = MetricPattern19(client, 'p2pk65bytes') - self.p2pkhbytes: MetricPattern20[P2PKHBytes] = MetricPattern20(client, 'p2pkhbytes') - self.p2shbytes: MetricPattern21[P2SHBytes] = MetricPattern21(client, 'p2shbytes') - self.p2trbytes: MetricPattern22[P2TRBytes] = MetricPattern22(client, 'p2trbytes') - self.p2wpkhbytes: MetricPattern23[P2WPKHBytes] = MetricPattern23(client, 'p2wpkhbytes') - self.p2wshbytes: MetricPattern24[P2WSHBytes] = MetricPattern24(client, 'p2wshbytes') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.first_p2aaddressindex: MetricPattern11[P2AAddressIndex] = MetricPattern11( + client, "first_p2aaddressindex" + ) + self.first_p2pk33addressindex: MetricPattern11[P2PK33AddressIndex] = ( + MetricPattern11(client, "first_p2pk33addressindex") + ) + self.first_p2pk65addressindex: MetricPattern11[P2PK65AddressIndex] = ( + MetricPattern11(client, "first_p2pk65addressindex") + ) + self.first_p2pkhaddressindex: MetricPattern11[P2PKHAddressIndex] = ( + MetricPattern11(client, "first_p2pkhaddressindex") + ) + self.first_p2shaddressindex: MetricPattern11[P2SHAddressIndex] = ( + MetricPattern11(client, "first_p2shaddressindex") + ) + self.first_p2traddressindex: MetricPattern11[P2TRAddressIndex] = ( + MetricPattern11(client, "first_p2traddressindex") + ) + self.first_p2wpkhaddressindex: MetricPattern11[P2WPKHAddressIndex] = ( + MetricPattern11(client, "first_p2wpkhaddressindex") + ) + self.first_p2wshaddressindex: MetricPattern11[P2WSHAddressIndex] = ( + MetricPattern11(client, "first_p2wshaddressindex") + ) + self.p2abytes: MetricPattern16[P2ABytes] = MetricPattern16(client, "p2abytes") + self.p2pk33bytes: MetricPattern18[P2PK33Bytes] = MetricPattern18( + client, "p2pk33bytes" + ) + self.p2pk65bytes: MetricPattern19[P2PK65Bytes] = MetricPattern19( + client, "p2pk65bytes" + ) + self.p2pkhbytes: MetricPattern20[P2PKHBytes] = MetricPattern20( + client, "p2pkhbytes" + ) + self.p2shbytes: MetricPattern21[P2SHBytes] = MetricPattern21( + client, "p2shbytes" + ) + self.p2trbytes: MetricPattern22[P2TRBytes] = MetricPattern22( + client, "p2trbytes" + ) + self.p2wpkhbytes: MetricPattern23[P2WPKHBytes] = MetricPattern23( + client, "p2wpkhbytes" + ) + self.p2wshbytes: MetricPattern24[P2WSHBytes] = MetricPattern24( + client, "p2wshbytes" + ) + class MetricsTree_Blocks_Count: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._1m_block_count: MetricPattern1[StoredU32] = MetricPattern1(client, '1m_block_count') - self._1m_start: MetricPattern11[Height] = MetricPattern11(client, '1m_start') - self._1w_block_count: MetricPattern1[StoredU32] = MetricPattern1(client, '1w_block_count') - self._1w_start: MetricPattern11[Height] = MetricPattern11(client, '1w_start') - self._1y_block_count: MetricPattern1[StoredU32] = MetricPattern1(client, '1y_block_count') - self._1y_start: MetricPattern11[Height] = MetricPattern11(client, '1y_start') - self._24h_block_count: MetricPattern1[StoredU32] = MetricPattern1(client, '24h_block_count') - self._24h_start: MetricPattern11[Height] = MetricPattern11(client, '24h_start') - self.block_count: BlockCountPattern[StoredU32] = BlockCountPattern(client, 'block_count') - self.block_count_target: MetricPattern4[StoredU64] = MetricPattern4(client, 'block_count_target') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._1m_block_count: MetricPattern1[StoredU32] = MetricPattern1( + client, "1m_block_count" + ) + self._1m_start: MetricPattern11[Height] = MetricPattern11(client, "1m_start") + self._1w_block_count: MetricPattern1[StoredU32] = MetricPattern1( + client, "1w_block_count" + ) + self._1w_start: MetricPattern11[Height] = MetricPattern11(client, "1w_start") + self._1y_block_count: MetricPattern1[StoredU32] = MetricPattern1( + client, "1y_block_count" + ) + self._1y_start: MetricPattern11[Height] = MetricPattern11(client, "1y_start") + self._24h_block_count: MetricPattern1[StoredU32] = MetricPattern1( + client, "24h_block_count" + ) + self._24h_start: MetricPattern11[Height] = MetricPattern11(client, "24h_start") + self.block_count: BlockCountPattern[StoredU32] = BlockCountPattern( + client, "block_count" + ) + self.block_count_target: MetricPattern4[StoredU64] = MetricPattern4( + client, "block_count_target" + ) + class MetricsTree_Blocks_Difficulty: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.adjustment: MetricPattern1[StoredF32] = MetricPattern1(client, 'difficulty_adjustment') - self.as_hash: MetricPattern1[StoredF32] = MetricPattern1(client, 'difficulty_as_hash') - self.blocks_before_next_adjustment: MetricPattern1[StoredU32] = MetricPattern1(client, 'blocks_before_next_difficulty_adjustment') - self.days_before_next_adjustment: MetricPattern1[StoredF32] = MetricPattern1(client, 'days_before_next_difficulty_adjustment') - self.epoch: MetricPattern4[DifficultyEpoch] = MetricPattern4(client, 'difficultyepoch') - self.raw: MetricPattern1[StoredF64] = MetricPattern1(client, 'difficulty') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.adjustment: MetricPattern1[StoredF32] = MetricPattern1( + client, "difficulty_adjustment" + ) + self.as_hash: MetricPattern1[StoredF32] = MetricPattern1( + client, "difficulty_as_hash" + ) + self.blocks_before_next_adjustment: MetricPattern1[StoredU32] = MetricPattern1( + client, "blocks_before_next_difficulty_adjustment" + ) + self.days_before_next_adjustment: MetricPattern1[StoredF32] = MetricPattern1( + client, "days_before_next_difficulty_adjustment" + ) + self.epoch: MetricPattern4[DifficultyEpoch] = MetricPattern4( + client, "difficultyepoch" + ) + self.raw: MetricPattern1[StoredF64] = MetricPattern1(client, "difficulty") + class MetricsTree_Blocks_Halving: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.blocks_before_next_halving: MetricPattern1[StoredU32] = MetricPattern1(client, 'blocks_before_next_halving') - self.days_before_next_halving: MetricPattern1[StoredF32] = MetricPattern1(client, 'days_before_next_halving') - self.epoch: MetricPattern4[HalvingEpoch] = MetricPattern4(client, 'halvingepoch') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.blocks_before_next_halving: MetricPattern1[StoredU32] = MetricPattern1( + client, "blocks_before_next_halving" + ) + self.days_before_next_halving: MetricPattern1[StoredF32] = MetricPattern1( + client, "days_before_next_halving" + ) + self.epoch: MetricPattern4[HalvingEpoch] = MetricPattern4( + client, "halvingepoch" + ) + class MetricsTree_Blocks_Mining: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.hash_price_phs: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_price_phs') - self.hash_price_phs_min: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_price_phs_min') - self.hash_price_rebound: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_price_rebound') - self.hash_price_ths: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_price_ths') - self.hash_price_ths_min: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_price_ths_min') - self.hash_rate: MetricPattern1[StoredF64] = MetricPattern1(client, 'hash_rate') - self.hash_rate_1m_sma: MetricPattern4[StoredF32] = MetricPattern4(client, 'hash_rate_1m_sma') - self.hash_rate_1w_sma: MetricPattern4[StoredF64] = MetricPattern4(client, 'hash_rate_1w_sma') - self.hash_rate_1y_sma: MetricPattern4[StoredF32] = MetricPattern4(client, 'hash_rate_1y_sma') - self.hash_rate_2m_sma: MetricPattern4[StoredF32] = MetricPattern4(client, 'hash_rate_2m_sma') - self.hash_value_phs: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_value_phs') - self.hash_value_phs_min: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_value_phs_min') - self.hash_value_rebound: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_value_rebound') - self.hash_value_ths: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_value_ths') - self.hash_value_ths_min: MetricPattern1[StoredF32] = MetricPattern1(client, 'hash_value_ths_min') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.hash_price_phs: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_price_phs" + ) + self.hash_price_phs_min: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_price_phs_min" + ) + self.hash_price_rebound: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_price_rebound" + ) + self.hash_price_ths: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_price_ths" + ) + self.hash_price_ths_min: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_price_ths_min" + ) + self.hash_rate: MetricPattern1[StoredF64] = MetricPattern1(client, "hash_rate") + self.hash_rate_1m_sma: MetricPattern4[StoredF32] = MetricPattern4( + client, "hash_rate_1m_sma" + ) + self.hash_rate_1w_sma: MetricPattern4[StoredF64] = MetricPattern4( + client, "hash_rate_1w_sma" + ) + self.hash_rate_1y_sma: MetricPattern4[StoredF32] = MetricPattern4( + client, "hash_rate_1y_sma" + ) + self.hash_rate_2m_sma: MetricPattern4[StoredF32] = MetricPattern4( + client, "hash_rate_2m_sma" + ) + self.hash_value_phs: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_value_phs" + ) + self.hash_value_phs_min: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_value_phs_min" + ) + self.hash_value_rebound: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_value_rebound" + ) + self.hash_value_ths: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_value_ths" + ) + self.hash_value_ths_min: MetricPattern1[StoredF32] = MetricPattern1( + client, "hash_value_ths_min" + ) + class MetricsTree_Blocks_Rewards_24hCoinbaseSum: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.bitcoin: MetricPattern11[Bitcoin] = MetricPattern11(client, '24h_coinbase_sum_btc') - self.dollars: MetricPattern11[Dollars] = MetricPattern11(client, '24h_coinbase_sum_usd') - self.sats: MetricPattern11[Sats] = MetricPattern11(client, '24h_coinbase_sum') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.bitcoin: MetricPattern11[Bitcoin] = MetricPattern11( + client, "24h_coinbase_sum_btc" + ) + self.dollars: MetricPattern11[Dollars] = MetricPattern11( + client, "24h_coinbase_sum_usd" + ) + self.sats: MetricPattern11[Sats] = MetricPattern11(client, "24h_coinbase_sum") + class MetricsTree_Blocks_Rewards: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._24h_coinbase_sum: MetricsTree_Blocks_Rewards_24hCoinbaseSum = MetricsTree_Blocks_Rewards_24hCoinbaseSum(client) - self.coinbase: CoinbasePattern = CoinbasePattern(client, 'coinbase') - self.fee_dominance: MetricPattern6[StoredF32] = MetricPattern6(client, 'fee_dominance') - self.subsidy: CoinbasePattern = CoinbasePattern(client, 'subsidy') - self.subsidy_dominance: MetricPattern6[StoredF32] = MetricPattern6(client, 'subsidy_dominance') - self.subsidy_usd_1y_sma: MetricPattern4[Dollars] = MetricPattern4(client, 'subsidy_usd_1y_sma') - self.unclaimed_rewards: UnclaimedRewardsPattern = UnclaimedRewardsPattern(client, 'unclaimed_rewards') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._24h_coinbase_sum: MetricsTree_Blocks_Rewards_24hCoinbaseSum = ( + MetricsTree_Blocks_Rewards_24hCoinbaseSum(client) + ) + self.coinbase: CoinbasePattern = CoinbasePattern(client, "coinbase") + self.fee_dominance: MetricPattern6[StoredF32] = MetricPattern6( + client, "fee_dominance" + ) + self.subsidy: CoinbasePattern = CoinbasePattern(client, "subsidy") + self.subsidy_dominance: MetricPattern6[StoredF32] = MetricPattern6( + client, "subsidy_dominance" + ) + self.subsidy_usd_1y_sma: MetricPattern4[Dollars] = MetricPattern4( + client, "subsidy_usd_1y_sma" + ) + self.unclaimed_rewards: UnclaimedRewardsPattern = UnclaimedRewardsPattern( + client, "unclaimed_rewards" + ) + class MetricsTree_Blocks_Size: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.average: MetricPattern2[StoredU64] = MetricPattern2(client, 'block_size_average') - self.cumulative: MetricPattern1[StoredU64] = MetricPattern1(client, 'block_size_cumulative') - self.max: MetricPattern2[StoredU64] = MetricPattern2(client, 'block_size_max') - self.median: MetricPattern6[StoredU64] = MetricPattern6(client, 'block_size_median') - self.min: MetricPattern2[StoredU64] = MetricPattern2(client, 'block_size_min') - self.pct10: MetricPattern6[StoredU64] = MetricPattern6(client, 'block_size_pct10') - self.pct25: MetricPattern6[StoredU64] = MetricPattern6(client, 'block_size_pct25') - self.pct75: MetricPattern6[StoredU64] = MetricPattern6(client, 'block_size_pct75') - self.pct90: MetricPattern6[StoredU64] = MetricPattern6(client, 'block_size_pct90') - self.sum: MetricPattern2[StoredU64] = MetricPattern2(client, 'block_size_sum') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.average: MetricPattern2[StoredU64] = MetricPattern2( + client, "block_size_average" + ) + self.cumulative: MetricPattern1[StoredU64] = MetricPattern1( + client, "block_size_cumulative" + ) + self.max: MetricPattern2[StoredU64] = MetricPattern2(client, "block_size_max") + self.median: MetricPattern6[StoredU64] = MetricPattern6( + client, "block_size_median" + ) + self.min: MetricPattern2[StoredU64] = MetricPattern2(client, "block_size_min") + self.pct10: MetricPattern6[StoredU64] = MetricPattern6( + client, "block_size_pct10" + ) + self.pct25: MetricPattern6[StoredU64] = MetricPattern6( + client, "block_size_pct25" + ) + self.pct75: MetricPattern6[StoredU64] = MetricPattern6( + client, "block_size_pct75" + ) + self.pct90: MetricPattern6[StoredU64] = MetricPattern6( + client, "block_size_pct90" + ) + self.sum: MetricPattern2[StoredU64] = MetricPattern2(client, "block_size_sum") + class MetricsTree_Blocks_Time: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.date: MetricPattern11[Date] = MetricPattern11(client, 'date') - self.timestamp: MetricPattern1[Timestamp] = MetricPattern1(client, 'timestamp') - self.timestamp_monotonic: MetricPattern11[Timestamp] = MetricPattern11(client, 'timestamp_monotonic') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.date: MetricPattern11[Date] = MetricPattern11(client, "date") + self.timestamp: MetricPattern1[Timestamp] = MetricPattern1(client, "timestamp") + self.timestamp_monotonic: MetricPattern11[Timestamp] = MetricPattern11( + client, "timestamp_monotonic" + ) + class MetricsTree_Blocks: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.blockhash: MetricPattern11[BlockHash] = MetricPattern11(client, 'blockhash') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.blockhash: MetricPattern11[BlockHash] = MetricPattern11( + client, "blockhash" + ) self.count: MetricsTree_Blocks_Count = MetricsTree_Blocks_Count(client) - self.difficulty: MetricsTree_Blocks_Difficulty = MetricsTree_Blocks_Difficulty(client) - self.fullness: FullnessPattern[StoredF32] = FullnessPattern(client, 'block_fullness') + self.difficulty: MetricsTree_Blocks_Difficulty = MetricsTree_Blocks_Difficulty( + client + ) + self.fullness: FullnessPattern[StoredF32] = FullnessPattern( + client, "block_fullness" + ) self.halving: MetricsTree_Blocks_Halving = MetricsTree_Blocks_Halving(client) - self.interval: FullnessPattern[Timestamp] = FullnessPattern(client, 'block_interval') + self.interval: FullnessPattern[Timestamp] = FullnessPattern( + client, "block_interval" + ) self.mining: MetricsTree_Blocks_Mining = MetricsTree_Blocks_Mining(client) self.rewards: MetricsTree_Blocks_Rewards = MetricsTree_Blocks_Rewards(client) self.size: MetricsTree_Blocks_Size = MetricsTree_Blocks_Size(client) self.time: MetricsTree_Blocks_Time = MetricsTree_Blocks_Time(client) - self.total_size: MetricPattern11[StoredU64] = MetricPattern11(client, 'total_size') - self.vbytes: DollarsPattern[StoredU64] = DollarsPattern(client, 'block_vbytes') - self.weight: DollarsPattern[Weight] = DollarsPattern(client, 'block_weight') + self.total_size: MetricPattern11[StoredU64] = MetricPattern11( + client, "total_size" + ) + self.vbytes: DollarsPattern[StoredU64] = DollarsPattern(client, "block_vbytes") + self.weight: DollarsPattern[Weight] = DollarsPattern(client, "block_weight") + class MetricsTree_Cointime_Activity: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.activity_to_vaultedness_ratio: MetricPattern1[StoredF64] = MetricPattern1(client, 'activity_to_vaultedness_ratio') - self.coinblocks_created: BlockCountPattern[StoredF64] = BlockCountPattern(client, 'coinblocks_created') - self.coinblocks_stored: BlockCountPattern[StoredF64] = BlockCountPattern(client, 'coinblocks_stored') - self.liveliness: MetricPattern1[StoredF64] = MetricPattern1(client, 'liveliness') - self.vaultedness: MetricPattern1[StoredF64] = MetricPattern1(client, 'vaultedness') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.activity_to_vaultedness_ratio: MetricPattern1[StoredF64] = MetricPattern1( + client, "activity_to_vaultedness_ratio" + ) + self.coinblocks_created: BlockCountPattern[StoredF64] = BlockCountPattern( + client, "coinblocks_created" + ) + self.coinblocks_stored: BlockCountPattern[StoredF64] = BlockCountPattern( + client, "coinblocks_stored" + ) + self.liveliness: MetricPattern1[StoredF64] = MetricPattern1( + client, "liveliness" + ) + self.vaultedness: MetricPattern1[StoredF64] = MetricPattern1( + client, "vaultedness" + ) + class MetricsTree_Cointime_Adjusted: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.cointime_adj_inflation_rate: MetricPattern4[StoredF32] = MetricPattern4(client, 'cointime_adj_inflation_rate') - self.cointime_adj_tx_btc_velocity: MetricPattern4[StoredF64] = MetricPattern4(client, 'cointime_adj_tx_btc_velocity') - self.cointime_adj_tx_usd_velocity: MetricPattern4[StoredF64] = MetricPattern4(client, 'cointime_adj_tx_usd_velocity') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.cointime_adj_inflation_rate: MetricPattern4[StoredF32] = MetricPattern4( + client, "cointime_adj_inflation_rate" + ) + self.cointime_adj_tx_btc_velocity: MetricPattern4[StoredF64] = MetricPattern4( + client, "cointime_adj_tx_btc_velocity" + ) + self.cointime_adj_tx_usd_velocity: MetricPattern4[StoredF64] = MetricPattern4( + client, "cointime_adj_tx_usd_velocity" + ) + class MetricsTree_Cointime_Cap: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.active_cap: MetricPattern1[Dollars] = MetricPattern1(client, 'active_cap') - self.cointime_cap: MetricPattern1[Dollars] = MetricPattern1(client, 'cointime_cap') - self.investor_cap: MetricPattern1[Dollars] = MetricPattern1(client, 'investor_cap') - self.thermo_cap: MetricPattern1[Dollars] = MetricPattern1(client, 'thermo_cap') - self.vaulted_cap: MetricPattern1[Dollars] = MetricPattern1(client, 'vaulted_cap') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.active_cap: MetricPattern1[Dollars] = MetricPattern1(client, "active_cap") + self.cointime_cap: MetricPattern1[Dollars] = MetricPattern1( + client, "cointime_cap" + ) + self.investor_cap: MetricPattern1[Dollars] = MetricPattern1( + client, "investor_cap" + ) + self.thermo_cap: MetricPattern1[Dollars] = MetricPattern1(client, "thermo_cap") + self.vaulted_cap: MetricPattern1[Dollars] = MetricPattern1( + client, "vaulted_cap" + ) + class MetricsTree_Cointime_Pricing: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.active_price: MetricPattern1[Dollars] = MetricPattern1(client, 'active_price') - self.active_price_ratio: ActivePriceRatioPattern = ActivePriceRatioPattern(client, 'active_price_ratio') - self.cointime_price: MetricPattern1[Dollars] = MetricPattern1(client, 'cointime_price') - self.cointime_price_ratio: ActivePriceRatioPattern = ActivePriceRatioPattern(client, 'cointime_price_ratio') - self.true_market_mean: MetricPattern1[Dollars] = MetricPattern1(client, 'true_market_mean') - self.true_market_mean_ratio: ActivePriceRatioPattern = ActivePriceRatioPattern(client, 'true_market_mean_ratio') - self.vaulted_price: MetricPattern1[Dollars] = MetricPattern1(client, 'vaulted_price') - self.vaulted_price_ratio: ActivePriceRatioPattern = ActivePriceRatioPattern(client, 'vaulted_price_ratio') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.active_price: MetricPattern1[Dollars] = MetricPattern1( + client, "active_price" + ) + self.active_price_ratio: ActivePriceRatioPattern = ActivePriceRatioPattern( + client, "active_price_ratio" + ) + self.cointime_price: MetricPattern1[Dollars] = MetricPattern1( + client, "cointime_price" + ) + self.cointime_price_ratio: ActivePriceRatioPattern = ActivePriceRatioPattern( + client, "cointime_price_ratio" + ) + self.true_market_mean: MetricPattern1[Dollars] = MetricPattern1( + client, "true_market_mean" + ) + self.true_market_mean_ratio: ActivePriceRatioPattern = ActivePriceRatioPattern( + client, "true_market_mean_ratio" + ) + self.vaulted_price: MetricPattern1[Dollars] = MetricPattern1( + client, "vaulted_price" + ) + self.vaulted_price_ratio: ActivePriceRatioPattern = ActivePriceRatioPattern( + client, "vaulted_price_ratio" + ) + class MetricsTree_Cointime_Supply: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.active_supply: ActiveSupplyPattern = ActiveSupplyPattern(client, 'active_supply') - self.vaulted_supply: ActiveSupplyPattern = ActiveSupplyPattern(client, 'vaulted_supply') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.active_supply: ActiveSupplyPattern = ActiveSupplyPattern( + client, "active_supply" + ) + self.vaulted_supply: ActiveSupplyPattern = ActiveSupplyPattern( + client, "vaulted_supply" + ) + class MetricsTree_Cointime_Value: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.cointime_value_created: BlockCountPattern[StoredF64] = BlockCountPattern(client, 'cointime_value_created') - self.cointime_value_destroyed: BlockCountPattern[StoredF64] = BlockCountPattern(client, 'cointime_value_destroyed') - self.cointime_value_stored: BlockCountPattern[StoredF64] = BlockCountPattern(client, 'cointime_value_stored') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.cointime_value_created: BlockCountPattern[StoredF64] = BlockCountPattern( + client, "cointime_value_created" + ) + self.cointime_value_destroyed: BlockCountPattern[StoredF64] = BlockCountPattern( + client, "cointime_value_destroyed" + ) + self.cointime_value_stored: BlockCountPattern[StoredF64] = BlockCountPattern( + client, "cointime_value_stored" + ) + class MetricsTree_Cointime: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.activity: MetricsTree_Cointime_Activity = MetricsTree_Cointime_Activity(client) - self.adjusted: MetricsTree_Cointime_Adjusted = MetricsTree_Cointime_Adjusted(client) + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.activity: MetricsTree_Cointime_Activity = MetricsTree_Cointime_Activity( + client + ) + self.adjusted: MetricsTree_Cointime_Adjusted = MetricsTree_Cointime_Adjusted( + client + ) self.cap: MetricsTree_Cointime_Cap = MetricsTree_Cointime_Cap(client) - self.pricing: MetricsTree_Cointime_Pricing = MetricsTree_Cointime_Pricing(client) + self.pricing: MetricsTree_Cointime_Pricing = MetricsTree_Cointime_Pricing( + client + ) self.supply: MetricsTree_Cointime_Supply = MetricsTree_Cointime_Supply(client) self.value: MetricsTree_Cointime_Value = MetricsTree_Cointime_Value(client) + class MetricsTree_Constants: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.constant_0: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_0') - self.constant_1: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_1') - self.constant_100: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_100') - self.constant_2: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_2') - self.constant_20: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_20') - self.constant_3: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_3') - self.constant_30: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_30') - self.constant_38_2: MetricPattern1[StoredF32] = MetricPattern1(client, 'constant_38_2') - self.constant_4: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_4') - self.constant_50: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_50') - self.constant_600: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_600') - self.constant_61_8: MetricPattern1[StoredF32] = MetricPattern1(client, 'constant_61_8') - self.constant_70: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_70') - self.constant_80: MetricPattern1[StoredU16] = MetricPattern1(client, 'constant_80') - self.constant_minus_1: MetricPattern1[StoredI16] = MetricPattern1(client, 'constant_minus_1') - self.constant_minus_2: MetricPattern1[StoredI16] = MetricPattern1(client, 'constant_minus_2') - self.constant_minus_3: MetricPattern1[StoredI16] = MetricPattern1(client, 'constant_minus_3') - self.constant_minus_4: MetricPattern1[StoredI16] = MetricPattern1(client, 'constant_minus_4') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.constant_0: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_0" + ) + self.constant_1: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_1" + ) + self.constant_100: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_100" + ) + self.constant_2: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_2" + ) + self.constant_20: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_20" + ) + self.constant_3: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_3" + ) + self.constant_30: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_30" + ) + self.constant_38_2: MetricPattern1[StoredF32] = MetricPattern1( + client, "constant_38_2" + ) + self.constant_4: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_4" + ) + self.constant_50: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_50" + ) + self.constant_600: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_600" + ) + self.constant_61_8: MetricPattern1[StoredF32] = MetricPattern1( + client, "constant_61_8" + ) + self.constant_70: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_70" + ) + self.constant_80: MetricPattern1[StoredU16] = MetricPattern1( + client, "constant_80" + ) + self.constant_minus_1: MetricPattern1[StoredI16] = MetricPattern1( + client, "constant_minus_1" + ) + self.constant_minus_2: MetricPattern1[StoredI16] = MetricPattern1( + client, "constant_minus_2" + ) + self.constant_minus_3: MetricPattern1[StoredI16] = MetricPattern1( + client, "constant_minus_3" + ) + self.constant_minus_4: MetricPattern1[StoredI16] = MetricPattern1( + client, "constant_minus_4" + ) + class MetricsTree_Distribution_AddressCohorts_AmountRange: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._0sats: _0satsPattern = _0satsPattern(client, 'addrs_with_0sats') - self._100btc_to_1k_btc: _0satsPattern = _0satsPattern(client, 'addrs_above_100btc_under_1k_btc') - self._100k_btc_or_more: _0satsPattern = _0satsPattern(client, 'addrs_above_100k_btc') - self._100k_sats_to_1m_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_100k_sats_under_1m_sats') - self._100sats_to_1k_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_100sats_under_1k_sats') - self._10btc_to_100btc: _0satsPattern = _0satsPattern(client, 'addrs_above_10btc_under_100btc') - self._10k_btc_to_100k_btc: _0satsPattern = _0satsPattern(client, 'addrs_above_10k_btc_under_100k_btc') - self._10k_sats_to_100k_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_10k_sats_under_100k_sats') - self._10m_sats_to_1btc: _0satsPattern = _0satsPattern(client, 'addrs_above_10m_sats_under_1btc') - self._10sats_to_100sats: _0satsPattern = _0satsPattern(client, 'addrs_above_10sats_under_100sats') - self._1btc_to_10btc: _0satsPattern = _0satsPattern(client, 'addrs_above_1btc_under_10btc') - self._1k_btc_to_10k_btc: _0satsPattern = _0satsPattern(client, 'addrs_above_1k_btc_under_10k_btc') - self._1k_sats_to_10k_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_1k_sats_under_10k_sats') - self._1m_sats_to_10m_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_1m_sats_under_10m_sats') - self._1sat_to_10sats: _0satsPattern = _0satsPattern(client, 'addrs_above_1sat_under_10sats') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._0sats: _0satsPattern = _0satsPattern(client, "addrs_with_0sats") + self._100btc_to_1k_btc: _0satsPattern = _0satsPattern( + client, "addrs_above_100btc_under_1k_btc" + ) + self._100k_btc_or_more: _0satsPattern = _0satsPattern( + client, "addrs_above_100k_btc" + ) + self._100k_sats_to_1m_sats: _0satsPattern = _0satsPattern( + client, "addrs_above_100k_sats_under_1m_sats" + ) + self._100sats_to_1k_sats: _0satsPattern = _0satsPattern( + client, "addrs_above_100sats_under_1k_sats" + ) + self._10btc_to_100btc: _0satsPattern = _0satsPattern( + client, "addrs_above_10btc_under_100btc" + ) + self._10k_btc_to_100k_btc: _0satsPattern = _0satsPattern( + client, "addrs_above_10k_btc_under_100k_btc" + ) + self._10k_sats_to_100k_sats: _0satsPattern = _0satsPattern( + client, "addrs_above_10k_sats_under_100k_sats" + ) + self._10m_sats_to_1btc: _0satsPattern = _0satsPattern( + client, "addrs_above_10m_sats_under_1btc" + ) + self._10sats_to_100sats: _0satsPattern = _0satsPattern( + client, "addrs_above_10sats_under_100sats" + ) + self._1btc_to_10btc: _0satsPattern = _0satsPattern( + client, "addrs_above_1btc_under_10btc" + ) + self._1k_btc_to_10k_btc: _0satsPattern = _0satsPattern( + client, "addrs_above_1k_btc_under_10k_btc" + ) + self._1k_sats_to_10k_sats: _0satsPattern = _0satsPattern( + client, "addrs_above_1k_sats_under_10k_sats" + ) + self._1m_sats_to_10m_sats: _0satsPattern = _0satsPattern( + client, "addrs_above_1m_sats_under_10m_sats" + ) + self._1sat_to_10sats: _0satsPattern = _0satsPattern( + client, "addrs_above_1sat_under_10sats" + ) + class MetricsTree_Distribution_AddressCohorts_GeAmount: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._100btc: _0satsPattern = _0satsPattern(client, 'addrs_above_100btc') - self._100k_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_100k_sats') - self._100sats: _0satsPattern = _0satsPattern(client, 'addrs_above_100sats') - self._10btc: _0satsPattern = _0satsPattern(client, 'addrs_above_10btc') - self._10k_btc: _0satsPattern = _0satsPattern(client, 'addrs_above_10k_btc') - self._10k_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_10k_sats') - self._10m_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_10m_sats') - self._10sats: _0satsPattern = _0satsPattern(client, 'addrs_above_10sats') - self._1btc: _0satsPattern = _0satsPattern(client, 'addrs_above_1btc') - self._1k_btc: _0satsPattern = _0satsPattern(client, 'addrs_above_1k_btc') - self._1k_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_1k_sats') - self._1m_sats: _0satsPattern = _0satsPattern(client, 'addrs_above_1m_sats') - self._1sat: _0satsPattern = _0satsPattern(client, 'addrs_above_1sat') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._100btc: _0satsPattern = _0satsPattern(client, "addrs_above_100btc") + self._100k_sats: _0satsPattern = _0satsPattern(client, "addrs_above_100k_sats") + self._100sats: _0satsPattern = _0satsPattern(client, "addrs_above_100sats") + self._10btc: _0satsPattern = _0satsPattern(client, "addrs_above_10btc") + self._10k_btc: _0satsPattern = _0satsPattern(client, "addrs_above_10k_btc") + self._10k_sats: _0satsPattern = _0satsPattern(client, "addrs_above_10k_sats") + self._10m_sats: _0satsPattern = _0satsPattern(client, "addrs_above_10m_sats") + self._10sats: _0satsPattern = _0satsPattern(client, "addrs_above_10sats") + self._1btc: _0satsPattern = _0satsPattern(client, "addrs_above_1btc") + self._1k_btc: _0satsPattern = _0satsPattern(client, "addrs_above_1k_btc") + self._1k_sats: _0satsPattern = _0satsPattern(client, "addrs_above_1k_sats") + self._1m_sats: _0satsPattern = _0satsPattern(client, "addrs_above_1m_sats") + self._1sat: _0satsPattern = _0satsPattern(client, "addrs_above_1sat") + class MetricsTree_Distribution_AddressCohorts_LtAmount: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._100btc: _0satsPattern = _0satsPattern(client, 'addrs_under_100btc') - self._100k_btc: _0satsPattern = _0satsPattern(client, 'addrs_under_100k_btc') - self._100k_sats: _0satsPattern = _0satsPattern(client, 'addrs_under_100k_sats') - self._100sats: _0satsPattern = _0satsPattern(client, 'addrs_under_100sats') - self._10btc: _0satsPattern = _0satsPattern(client, 'addrs_under_10btc') - self._10k_btc: _0satsPattern = _0satsPattern(client, 'addrs_under_10k_btc') - self._10k_sats: _0satsPattern = _0satsPattern(client, 'addrs_under_10k_sats') - self._10m_sats: _0satsPattern = _0satsPattern(client, 'addrs_under_10m_sats') - self._10sats: _0satsPattern = _0satsPattern(client, 'addrs_under_10sats') - self._1btc: _0satsPattern = _0satsPattern(client, 'addrs_under_1btc') - self._1k_btc: _0satsPattern = _0satsPattern(client, 'addrs_under_1k_btc') - self._1k_sats: _0satsPattern = _0satsPattern(client, 'addrs_under_1k_sats') - self._1m_sats: _0satsPattern = _0satsPattern(client, 'addrs_under_1m_sats') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._100btc: _0satsPattern = _0satsPattern(client, "addrs_under_100btc") + self._100k_btc: _0satsPattern = _0satsPattern(client, "addrs_under_100k_btc") + self._100k_sats: _0satsPattern = _0satsPattern(client, "addrs_under_100k_sats") + self._100sats: _0satsPattern = _0satsPattern(client, "addrs_under_100sats") + self._10btc: _0satsPattern = _0satsPattern(client, "addrs_under_10btc") + self._10k_btc: _0satsPattern = _0satsPattern(client, "addrs_under_10k_btc") + self._10k_sats: _0satsPattern = _0satsPattern(client, "addrs_under_10k_sats") + self._10m_sats: _0satsPattern = _0satsPattern(client, "addrs_under_10m_sats") + self._10sats: _0satsPattern = _0satsPattern(client, "addrs_under_10sats") + self._1btc: _0satsPattern = _0satsPattern(client, "addrs_under_1btc") + self._1k_btc: _0satsPattern = _0satsPattern(client, "addrs_under_1k_btc") + self._1k_sats: _0satsPattern = _0satsPattern(client, "addrs_under_1k_sats") + self._1m_sats: _0satsPattern = _0satsPattern(client, "addrs_under_1m_sats") + class MetricsTree_Distribution_AddressCohorts: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.amount_range: MetricsTree_Distribution_AddressCohorts_AmountRange = MetricsTree_Distribution_AddressCohorts_AmountRange(client) - self.ge_amount: MetricsTree_Distribution_AddressCohorts_GeAmount = MetricsTree_Distribution_AddressCohorts_GeAmount(client) - self.lt_amount: MetricsTree_Distribution_AddressCohorts_LtAmount = MetricsTree_Distribution_AddressCohorts_LtAmount(client) + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.amount_range: MetricsTree_Distribution_AddressCohorts_AmountRange = ( + MetricsTree_Distribution_AddressCohorts_AmountRange(client) + ) + self.ge_amount: MetricsTree_Distribution_AddressCohorts_GeAmount = ( + MetricsTree_Distribution_AddressCohorts_GeAmount(client) + ) + self.lt_amount: MetricsTree_Distribution_AddressCohorts_LtAmount = ( + MetricsTree_Distribution_AddressCohorts_LtAmount(client) + ) + class MetricsTree_Distribution_AddressesData: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.empty: MetricPattern32[EmptyAddressData] = MetricPattern32(client, 'emptyaddressdata') - self.loaded: MetricPattern31[LoadedAddressData] = MetricPattern31(client, 'loadedaddressdata') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.empty: MetricPattern32[EmptyAddressData] = MetricPattern32( + client, "emptyaddressdata" + ) + self.loaded: MetricPattern31[LoadedAddressData] = MetricPattern31( + client, "loadedaddressdata" + ) + class MetricsTree_Distribution_AnyAddressIndexes: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.p2a: MetricPattern16[AnyAddressIndex] = MetricPattern16(client, 'anyaddressindex') - self.p2pk33: MetricPattern18[AnyAddressIndex] = MetricPattern18(client, 'anyaddressindex') - self.p2pk65: MetricPattern19[AnyAddressIndex] = MetricPattern19(client, 'anyaddressindex') - self.p2pkh: MetricPattern20[AnyAddressIndex] = MetricPattern20(client, 'anyaddressindex') - self.p2sh: MetricPattern21[AnyAddressIndex] = MetricPattern21(client, 'anyaddressindex') - self.p2tr: MetricPattern22[AnyAddressIndex] = MetricPattern22(client, 'anyaddressindex') - self.p2wpkh: MetricPattern23[AnyAddressIndex] = MetricPattern23(client, 'anyaddressindex') - self.p2wsh: MetricPattern24[AnyAddressIndex] = MetricPattern24(client, 'anyaddressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.p2a: MetricPattern16[AnyAddressIndex] = MetricPattern16( + client, "anyaddressindex" + ) + self.p2pk33: MetricPattern18[AnyAddressIndex] = MetricPattern18( + client, "anyaddressindex" + ) + self.p2pk65: MetricPattern19[AnyAddressIndex] = MetricPattern19( + client, "anyaddressindex" + ) + self.p2pkh: MetricPattern20[AnyAddressIndex] = MetricPattern20( + client, "anyaddressindex" + ) + self.p2sh: MetricPattern21[AnyAddressIndex] = MetricPattern21( + client, "anyaddressindex" + ) + self.p2tr: MetricPattern22[AnyAddressIndex] = MetricPattern22( + client, "anyaddressindex" + ) + self.p2wpkh: MetricPattern23[AnyAddressIndex] = MetricPattern23( + client, "anyaddressindex" + ) + self.p2wsh: MetricPattern24[AnyAddressIndex] = MetricPattern24( + client, "anyaddressindex" + ) + class MetricsTree_Distribution_UtxoCohorts_AgeRange: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._10y_to_12y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_10y_up_to_12y_old') - self._12y_to_15y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_12y_up_to_15y_old') - self._1d_to_1w: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_1d_up_to_1w_old') - self._1h_to_1d: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_1h_up_to_1d_old') - self._1m_to_2m: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_1m_up_to_2m_old') - self._1w_to_1m: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_1w_up_to_1m_old') - self._1y_to_2y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_1y_up_to_2y_old') - self._2m_to_3m: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_2m_up_to_3m_old') - self._2y_to_3y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_2y_up_to_3y_old') - self._3m_to_4m: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_3m_up_to_4m_old') - self._3y_to_4y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_3y_up_to_4y_old') - self._4m_to_5m: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_4m_up_to_5m_old') - self._4y_to_5y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_4y_up_to_5y_old') - self._5m_to_6m: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_5m_up_to_6m_old') - self._5y_to_6y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_5y_up_to_6y_old') - self._6m_to_1y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_6m_up_to_1y_old') - self._6y_to_7y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_6y_up_to_7y_old') - self._7y_to_8y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_7y_up_to_8y_old') - self._8y_to_10y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_8y_up_to_10y_old') - self.from_15y: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_at_least_15y_old') - self.up_to_1h: _10yTo12yPattern = _10yTo12yPattern(client, 'utxos_up_to_1h_old') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._10y_to_12y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_10y_up_to_12y_old" + ) + self._12y_to_15y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_12y_up_to_15y_old" + ) + self._1d_to_1w: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_1d_up_to_1w_old" + ) + self._1h_to_1d: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_1h_up_to_1d_old" + ) + self._1m_to_2m: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_1m_up_to_2m_old" + ) + self._1w_to_1m: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_1w_up_to_1m_old" + ) + self._1y_to_2y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_1y_up_to_2y_old" + ) + self._2m_to_3m: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_2m_up_to_3m_old" + ) + self._2y_to_3y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_2y_up_to_3y_old" + ) + self._3m_to_4m: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_3m_up_to_4m_old" + ) + self._3y_to_4y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_3y_up_to_4y_old" + ) + self._4m_to_5m: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_4m_up_to_5m_old" + ) + self._4y_to_5y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_4y_up_to_5y_old" + ) + self._5m_to_6m: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_5m_up_to_6m_old" + ) + self._5y_to_6y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_5y_up_to_6y_old" + ) + self._6m_to_1y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_6m_up_to_1y_old" + ) + self._6y_to_7y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_6y_up_to_7y_old" + ) + self._7y_to_8y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_7y_up_to_8y_old" + ) + self._8y_to_10y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_8y_up_to_10y_old" + ) + self.from_15y: _10yTo12yPattern = _10yTo12yPattern( + client, "utxos_at_least_15y_old" + ) + self.up_to_1h: _10yTo12yPattern = _10yTo12yPattern(client, "utxos_up_to_1h_old") + + +class MetricsTree_Distribution_UtxoCohorts_All_Activity: + """Metrics tree node.""" + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.coinblocks_destroyed: BlockCountPattern[StoredF64] = BlockCountPattern( + client, "coinblocks_destroyed" + ) + self.coindays_destroyed: BlockCountPattern[StoredF64] = BlockCountPattern( + client, "coindays_destroyed" + ) + self.satblocks_destroyed: MetricPattern11[Sats] = MetricPattern11( + client, "satblocks_destroyed" + ) + self.satdays_destroyed: MetricPattern11[Sats] = MetricPattern11( + client, "satdays_destroyed" + ) + self.sent: UnclaimedRewardsPattern = UnclaimedRewardsPattern(client, "sent") + + +class MetricsTree_Distribution_UtxoCohorts_All_CostBasis: + """Metrics tree node.""" + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.max: MetricPattern1[Dollars] = MetricPattern1(client, "max_cost_basis") + self.min: MetricPattern1[Dollars] = MetricPattern1(client, "min_cost_basis") + self.percentiles: PercentilesPattern = PercentilesPattern(client, "cost_basis") + class MetricsTree_Distribution_UtxoCohorts_All_Relative: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, 'neg_unrealized_loss_rel_to_own_total_unrealized_pnl') - self.net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, 'net_unrealized_pnl_rel_to_own_total_unrealized_pnl') - self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, 'supply_in_loss_rel_to_own_supply') - self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = MetricPattern1(client, 'supply_in_profit_rel_to_own_supply') - self.unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, 'unrealized_loss_rel_to_own_total_unrealized_pnl') - self.unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1[StoredF32] = MetricPattern1(client, 'unrealized_profit_rel_to_own_total_unrealized_pnl') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.neg_unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1( + client, "neg_unrealized_loss_rel_to_own_total_unrealized_pnl" + ) + self.net_unrealized_pnl_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1(client, "net_unrealized_pnl_rel_to_own_total_unrealized_pnl") + self.supply_in_loss_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, "supply_in_loss_rel_to_own_supply") + ) + self.supply_in_profit_rel_to_own_supply: MetricPattern1[StoredF64] = ( + MetricPattern1(client, "supply_in_profit_rel_to_own_supply") + ) + self.unrealized_loss_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1(client, "unrealized_loss_rel_to_own_total_unrealized_pnl") + self.unrealized_profit_rel_to_own_total_unrealized_pnl: MetricPattern1[ + StoredF32 + ] = MetricPattern1(client, "unrealized_profit_rel_to_own_total_unrealized_pnl") + class MetricsTree_Distribution_UtxoCohorts_All: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.activity: ActivityPattern2 = ActivityPattern2(client, 'destroyed') - self.cost_basis: CostBasisPattern2 = CostBasisPattern2(client, 'cost_basis') - self.outputs: OutputsPattern = OutputsPattern(client, 'utxo_count') - self.realized: RealizedPattern3 = RealizedPattern3(client, '') - self.relative: MetricsTree_Distribution_UtxoCohorts_All_Relative = MetricsTree_Distribution_UtxoCohorts_All_Relative(client) - self.supply: SupplyPattern2 = SupplyPattern2(client, 'supply') - self.unrealized: UnrealizedPattern = UnrealizedPattern(client, '') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.activity: MetricsTree_Distribution_UtxoCohorts_All_Activity = ( + MetricsTree_Distribution_UtxoCohorts_All_Activity(client) + ) + self.cost_basis: MetricsTree_Distribution_UtxoCohorts_All_CostBasis = ( + MetricsTree_Distribution_UtxoCohorts_All_CostBasis(client) + ) + self.outputs: OutputsPattern = OutputsPattern(client, "utxo_count") + self.realized: RealizedPattern3 = RealizedPattern3(client, "") + self.relative: MetricsTree_Distribution_UtxoCohorts_All_Relative = ( + MetricsTree_Distribution_UtxoCohorts_All_Relative(client) + ) + self.supply: SupplyPattern2 = SupplyPattern2(client, "supply") + self.unrealized: UnrealizedPattern = UnrealizedPattern(client, "") + class MetricsTree_Distribution_UtxoCohorts_AmountRange: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._0sats: _0satsPattern2 = _0satsPattern2(client, 'utxos_with_0sats') - self._100btc_to_1k_btc: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_100btc_under_1k_btc') - self._100k_btc_or_more: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_100k_btc') - self._100k_sats_to_1m_sats: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_100k_sats_under_1m_sats') - self._100sats_to_1k_sats: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_100sats_under_1k_sats') - self._10btc_to_100btc: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_10btc_under_100btc') - self._10k_btc_to_100k_btc: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_10k_btc_under_100k_btc') - self._10k_sats_to_100k_sats: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_10k_sats_under_100k_sats') - self._10m_sats_to_1btc: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_10m_sats_under_1btc') - self._10sats_to_100sats: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_10sats_under_100sats') - self._1btc_to_10btc: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_1btc_under_10btc') - self._1k_btc_to_10k_btc: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_1k_btc_under_10k_btc') - self._1k_sats_to_10k_sats: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_1k_sats_under_10k_sats') - self._1m_sats_to_10m_sats: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_1m_sats_under_10m_sats') - self._1sat_to_10sats: _0satsPattern2 = _0satsPattern2(client, 'utxos_above_1sat_under_10sats') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._0sats: _0satsPattern2 = _0satsPattern2(client, "utxos_with_0sats") + self._100btc_to_1k_btc: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_100btc_under_1k_btc" + ) + self._100k_btc_or_more: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_100k_btc" + ) + self._100k_sats_to_1m_sats: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_100k_sats_under_1m_sats" + ) + self._100sats_to_1k_sats: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_100sats_under_1k_sats" + ) + self._10btc_to_100btc: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_10btc_under_100btc" + ) + self._10k_btc_to_100k_btc: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_10k_btc_under_100k_btc" + ) + self._10k_sats_to_100k_sats: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_10k_sats_under_100k_sats" + ) + self._10m_sats_to_1btc: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_10m_sats_under_1btc" + ) + self._10sats_to_100sats: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_10sats_under_100sats" + ) + self._1btc_to_10btc: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_1btc_under_10btc" + ) + self._1k_btc_to_10k_btc: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_1k_btc_under_10k_btc" + ) + self._1k_sats_to_10k_sats: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_1k_sats_under_10k_sats" + ) + self._1m_sats_to_10m_sats: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_1m_sats_under_10m_sats" + ) + self._1sat_to_10sats: _0satsPattern2 = _0satsPattern2( + client, "utxos_above_1sat_under_10sats" + ) + class MetricsTree_Distribution_UtxoCohorts_Epoch: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._0: _0satsPattern2 = _0satsPattern2(client, 'epoch_0') - self._1: _0satsPattern2 = _0satsPattern2(client, 'epoch_1') - self._2: _0satsPattern2 = _0satsPattern2(client, 'epoch_2') - self._3: _0satsPattern2 = _0satsPattern2(client, 'epoch_3') - self._4: _0satsPattern2 = _0satsPattern2(client, 'epoch_4') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._0: _0satsPattern2 = _0satsPattern2(client, "epoch_0") + self._1: _0satsPattern2 = _0satsPattern2(client, "epoch_1") + self._2: _0satsPattern2 = _0satsPattern2(client, "epoch_2") + self._3: _0satsPattern2 = _0satsPattern2(client, "epoch_3") + self._4: _0satsPattern2 = _0satsPattern2(client, "epoch_4") + class MetricsTree_Distribution_UtxoCohorts_GeAmount: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._100btc: _100btcPattern = _100btcPattern(client, 'utxos_above_100btc') - self._100k_sats: _100btcPattern = _100btcPattern(client, 'utxos_above_100k_sats') - self._100sats: _100btcPattern = _100btcPattern(client, 'utxos_above_100sats') - self._10btc: _100btcPattern = _100btcPattern(client, 'utxos_above_10btc') - self._10k_btc: _100btcPattern = _100btcPattern(client, 'utxos_above_10k_btc') - self._10k_sats: _100btcPattern = _100btcPattern(client, 'utxos_above_10k_sats') - self._10m_sats: _100btcPattern = _100btcPattern(client, 'utxos_above_10m_sats') - self._10sats: _100btcPattern = _100btcPattern(client, 'utxos_above_10sats') - self._1btc: _100btcPattern = _100btcPattern(client, 'utxos_above_1btc') - self._1k_btc: _100btcPattern = _100btcPattern(client, 'utxos_above_1k_btc') - self._1k_sats: _100btcPattern = _100btcPattern(client, 'utxos_above_1k_sats') - self._1m_sats: _100btcPattern = _100btcPattern(client, 'utxos_above_1m_sats') - self._1sat: _100btcPattern = _100btcPattern(client, 'utxos_above_1sat') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._100btc: _100btcPattern = _100btcPattern(client, "utxos_above_100btc") + self._100k_sats: _100btcPattern = _100btcPattern( + client, "utxos_above_100k_sats" + ) + self._100sats: _100btcPattern = _100btcPattern(client, "utxos_above_100sats") + self._10btc: _100btcPattern = _100btcPattern(client, "utxos_above_10btc") + self._10k_btc: _100btcPattern = _100btcPattern(client, "utxos_above_10k_btc") + self._10k_sats: _100btcPattern = _100btcPattern(client, "utxos_above_10k_sats") + self._10m_sats: _100btcPattern = _100btcPattern(client, "utxos_above_10m_sats") + self._10sats: _100btcPattern = _100btcPattern(client, "utxos_above_10sats") + self._1btc: _100btcPattern = _100btcPattern(client, "utxos_above_1btc") + self._1k_btc: _100btcPattern = _100btcPattern(client, "utxos_above_1k_btc") + self._1k_sats: _100btcPattern = _100btcPattern(client, "utxos_above_1k_sats") + self._1m_sats: _100btcPattern = _100btcPattern(client, "utxos_above_1m_sats") + self._1sat: _100btcPattern = _100btcPattern(client, "utxos_above_1sat") + class MetricsTree_Distribution_UtxoCohorts_LtAmount: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._100btc: _100btcPattern = _100btcPattern(client, 'utxos_under_100btc') - self._100k_btc: _100btcPattern = _100btcPattern(client, 'utxos_under_100k_btc') - self._100k_sats: _100btcPattern = _100btcPattern(client, 'utxos_under_100k_sats') - self._100sats: _100btcPattern = _100btcPattern(client, 'utxos_under_100sats') - self._10btc: _100btcPattern = _100btcPattern(client, 'utxos_under_10btc') - self._10k_btc: _100btcPattern = _100btcPattern(client, 'utxos_under_10k_btc') - self._10k_sats: _100btcPattern = _100btcPattern(client, 'utxos_under_10k_sats') - self._10m_sats: _100btcPattern = _100btcPattern(client, 'utxos_under_10m_sats') - self._10sats: _100btcPattern = _100btcPattern(client, 'utxos_under_10sats') - self._1btc: _100btcPattern = _100btcPattern(client, 'utxos_under_1btc') - self._1k_btc: _100btcPattern = _100btcPattern(client, 'utxos_under_1k_btc') - self._1k_sats: _100btcPattern = _100btcPattern(client, 'utxos_under_1k_sats') - self._1m_sats: _100btcPattern = _100btcPattern(client, 'utxos_under_1m_sats') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._100btc: _100btcPattern = _100btcPattern(client, "utxos_under_100btc") + self._100k_btc: _100btcPattern = _100btcPattern(client, "utxos_under_100k_btc") + self._100k_sats: _100btcPattern = _100btcPattern( + client, "utxos_under_100k_sats" + ) + self._100sats: _100btcPattern = _100btcPattern(client, "utxos_under_100sats") + self._10btc: _100btcPattern = _100btcPattern(client, "utxos_under_10btc") + self._10k_btc: _100btcPattern = _100btcPattern(client, "utxos_under_10k_btc") + self._10k_sats: _100btcPattern = _100btcPattern(client, "utxos_under_10k_sats") + self._10m_sats: _100btcPattern = _100btcPattern(client, "utxos_under_10m_sats") + self._10sats: _100btcPattern = _100btcPattern(client, "utxos_under_10sats") + self._1btc: _100btcPattern = _100btcPattern(client, "utxos_under_1btc") + self._1k_btc: _100btcPattern = _100btcPattern(client, "utxos_under_1k_btc") + self._1k_sats: _100btcPattern = _100btcPattern(client, "utxos_under_1k_sats") + self._1m_sats: _100btcPattern = _100btcPattern(client, "utxos_under_1m_sats") + class MetricsTree_Distribution_UtxoCohorts_MaxAge: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._10y: _10yPattern = _10yPattern(client, 'utxos_up_to_10y_old') - self._12y: _10yPattern = _10yPattern(client, 'utxos_up_to_12y_old') - self._15y: _10yPattern = _10yPattern(client, 'utxos_up_to_15y_old') - self._1m: _10yPattern = _10yPattern(client, 'utxos_up_to_1m_old') - self._1w: _10yPattern = _10yPattern(client, 'utxos_up_to_1w_old') - self._1y: _10yPattern = _10yPattern(client, 'utxos_up_to_1y_old') - self._2m: _10yPattern = _10yPattern(client, 'utxos_up_to_2m_old') - self._2y: _10yPattern = _10yPattern(client, 'utxos_up_to_2y_old') - self._3m: _10yPattern = _10yPattern(client, 'utxos_up_to_3m_old') - self._3y: _10yPattern = _10yPattern(client, 'utxos_up_to_3y_old') - self._4m: _10yPattern = _10yPattern(client, 'utxos_up_to_4m_old') - self._4y: _10yPattern = _10yPattern(client, 'utxos_up_to_4y_old') - self._5m: _10yPattern = _10yPattern(client, 'utxos_up_to_5m_old') - self._5y: _10yPattern = _10yPattern(client, 'utxos_up_to_5y_old') - self._6m: _10yPattern = _10yPattern(client, 'utxos_up_to_6m_old') - self._6y: _10yPattern = _10yPattern(client, 'utxos_up_to_6y_old') - self._7y: _10yPattern = _10yPattern(client, 'utxos_up_to_7y_old') - self._8y: _10yPattern = _10yPattern(client, 'utxos_up_to_8y_old') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._10y: _10yPattern = _10yPattern(client, "utxos_up_to_10y_old") + self._12y: _10yPattern = _10yPattern(client, "utxos_up_to_12y_old") + self._15y: _10yPattern = _10yPattern(client, "utxos_up_to_15y_old") + self._1m: _10yPattern = _10yPattern(client, "utxos_up_to_1m_old") + self._1w: _10yPattern = _10yPattern(client, "utxos_up_to_1w_old") + self._1y: _10yPattern = _10yPattern(client, "utxos_up_to_1y_old") + self._2m: _10yPattern = _10yPattern(client, "utxos_up_to_2m_old") + self._2y: _10yPattern = _10yPattern(client, "utxos_up_to_2y_old") + self._3m: _10yPattern = _10yPattern(client, "utxos_up_to_3m_old") + self._3y: _10yPattern = _10yPattern(client, "utxos_up_to_3y_old") + self._4m: _10yPattern = _10yPattern(client, "utxos_up_to_4m_old") + self._4y: _10yPattern = _10yPattern(client, "utxos_up_to_4y_old") + self._5m: _10yPattern = _10yPattern(client, "utxos_up_to_5m_old") + self._5y: _10yPattern = _10yPattern(client, "utxos_up_to_5y_old") + self._6m: _10yPattern = _10yPattern(client, "utxos_up_to_6m_old") + self._6y: _10yPattern = _10yPattern(client, "utxos_up_to_6y_old") + self._7y: _10yPattern = _10yPattern(client, "utxos_up_to_7y_old") + self._8y: _10yPattern = _10yPattern(client, "utxos_up_to_8y_old") + class MetricsTree_Distribution_UtxoCohorts_MinAge: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._10y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_10y_old') - self._12y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_12y_old') - self._1d: _100btcPattern = _100btcPattern(client, 'utxos_at_least_1d_old') - self._1m: _100btcPattern = _100btcPattern(client, 'utxos_at_least_1m_old') - self._1w: _100btcPattern = _100btcPattern(client, 'utxos_at_least_1w_old') - self._1y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_1y_old') - self._2m: _100btcPattern = _100btcPattern(client, 'utxos_at_least_2m_old') - self._2y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_2y_old') - self._3m: _100btcPattern = _100btcPattern(client, 'utxos_at_least_3m_old') - self._3y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_3y_old') - self._4m: _100btcPattern = _100btcPattern(client, 'utxos_at_least_4m_old') - self._4y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_4y_old') - self._5m: _100btcPattern = _100btcPattern(client, 'utxos_at_least_5m_old') - self._5y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_5y_old') - self._6m: _100btcPattern = _100btcPattern(client, 'utxos_at_least_6m_old') - self._6y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_6y_old') - self._7y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_7y_old') - self._8y: _100btcPattern = _100btcPattern(client, 'utxos_at_least_8y_old') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._10y: _100btcPattern = _100btcPattern(client, "utxos_at_least_10y_old") + self._12y: _100btcPattern = _100btcPattern(client, "utxos_at_least_12y_old") + self._1d: _100btcPattern = _100btcPattern(client, "utxos_at_least_1d_old") + self._1m: _100btcPattern = _100btcPattern(client, "utxos_at_least_1m_old") + self._1w: _100btcPattern = _100btcPattern(client, "utxos_at_least_1w_old") + self._1y: _100btcPattern = _100btcPattern(client, "utxos_at_least_1y_old") + self._2m: _100btcPattern = _100btcPattern(client, "utxos_at_least_2m_old") + self._2y: _100btcPattern = _100btcPattern(client, "utxos_at_least_2y_old") + self._3m: _100btcPattern = _100btcPattern(client, "utxos_at_least_3m_old") + self._3y: _100btcPattern = _100btcPattern(client, "utxos_at_least_3y_old") + self._4m: _100btcPattern = _100btcPattern(client, "utxos_at_least_4m_old") + self._4y: _100btcPattern = _100btcPattern(client, "utxos_at_least_4y_old") + self._5m: _100btcPattern = _100btcPattern(client, "utxos_at_least_5m_old") + self._5y: _100btcPattern = _100btcPattern(client, "utxos_at_least_5y_old") + self._6m: _100btcPattern = _100btcPattern(client, "utxos_at_least_6m_old") + self._6y: _100btcPattern = _100btcPattern(client, "utxos_at_least_6y_old") + self._7y: _100btcPattern = _100btcPattern(client, "utxos_at_least_7y_old") + self._8y: _100btcPattern = _100btcPattern(client, "utxos_at_least_8y_old") + class MetricsTree_Distribution_UtxoCohorts_Term_Long: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.activity: ActivityPattern2 = ActivityPattern2(client, 'lth') - self.cost_basis: CostBasisPattern2 = CostBasisPattern2(client, 'lth') - self.outputs: OutputsPattern = OutputsPattern(client, 'lth_utxo_count') - self.realized: RealizedPattern2 = RealizedPattern2(client, 'lth') - self.relative: RelativePattern5 = RelativePattern5(client, 'lth') - self.supply: SupplyPattern2 = SupplyPattern2(client, 'lth_supply') - self.unrealized: UnrealizedPattern = UnrealizedPattern(client, 'lth') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.activity: ActivityPattern2 = ActivityPattern2(client, "lth") + self.cost_basis: CostBasisPattern2 = CostBasisPattern2(client, "lth") + self.outputs: OutputsPattern = OutputsPattern(client, "lth_utxo_count") + self.realized: RealizedPattern2 = RealizedPattern2(client, "lth") + self.relative: RelativePattern5 = RelativePattern5(client, "lth") + self.supply: SupplyPattern2 = SupplyPattern2(client, "lth_supply") + self.unrealized: UnrealizedPattern = UnrealizedPattern(client, "lth") + class MetricsTree_Distribution_UtxoCohorts_Term_Short: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.activity: ActivityPattern2 = ActivityPattern2(client, 'sth') - self.cost_basis: CostBasisPattern2 = CostBasisPattern2(client, 'sth') - self.outputs: OutputsPattern = OutputsPattern(client, 'sth_utxo_count') - self.realized: RealizedPattern3 = RealizedPattern3(client, 'sth') - self.relative: RelativePattern5 = RelativePattern5(client, 'sth') - self.supply: SupplyPattern2 = SupplyPattern2(client, 'sth_supply') - self.unrealized: UnrealizedPattern = UnrealizedPattern(client, 'sth') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.activity: ActivityPattern2 = ActivityPattern2(client, "sth") + self.cost_basis: CostBasisPattern2 = CostBasisPattern2(client, "sth") + self.outputs: OutputsPattern = OutputsPattern(client, "sth_utxo_count") + self.realized: RealizedPattern3 = RealizedPattern3(client, "sth") + self.relative: RelativePattern5 = RelativePattern5(client, "sth") + self.supply: SupplyPattern2 = SupplyPattern2(client, "sth_supply") + self.unrealized: UnrealizedPattern = UnrealizedPattern(client, "sth") + class MetricsTree_Distribution_UtxoCohorts_Term: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.long: MetricsTree_Distribution_UtxoCohorts_Term_Long = MetricsTree_Distribution_UtxoCohorts_Term_Long(client) - self.short: MetricsTree_Distribution_UtxoCohorts_Term_Short = MetricsTree_Distribution_UtxoCohorts_Term_Short(client) + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.long: MetricsTree_Distribution_UtxoCohorts_Term_Long = ( + MetricsTree_Distribution_UtxoCohorts_Term_Long(client) + ) + self.short: MetricsTree_Distribution_UtxoCohorts_Term_Short = ( + MetricsTree_Distribution_UtxoCohorts_Term_Short(client) + ) + class MetricsTree_Distribution_UtxoCohorts_Type: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.empty: _0satsPattern2 = _0satsPattern2(client, 'empty_outputs') - self.p2a: _0satsPattern2 = _0satsPattern2(client, 'p2a') - self.p2ms: _0satsPattern2 = _0satsPattern2(client, 'p2ms') - self.p2pk33: _0satsPattern2 = _0satsPattern2(client, 'p2pk33') - self.p2pk65: _0satsPattern2 = _0satsPattern2(client, 'p2pk65') - self.p2pkh: _0satsPattern2 = _0satsPattern2(client, 'p2pkh') - self.p2sh: _0satsPattern2 = _0satsPattern2(client, 'p2sh') - self.p2tr: _0satsPattern2 = _0satsPattern2(client, 'p2tr') - self.p2wpkh: _0satsPattern2 = _0satsPattern2(client, 'p2wpkh') - self.p2wsh: _0satsPattern2 = _0satsPattern2(client, 'p2wsh') - self.unknown: _0satsPattern2 = _0satsPattern2(client, 'unknown_outputs') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.empty: _0satsPattern2 = _0satsPattern2(client, "empty_outputs") + self.p2a: _0satsPattern2 = _0satsPattern2(client, "p2a") + self.p2ms: _0satsPattern2 = _0satsPattern2(client, "p2ms") + self.p2pk33: _0satsPattern2 = _0satsPattern2(client, "p2pk33") + self.p2pk65: _0satsPattern2 = _0satsPattern2(client, "p2pk65") + self.p2pkh: _0satsPattern2 = _0satsPattern2(client, "p2pkh") + self.p2sh: _0satsPattern2 = _0satsPattern2(client, "p2sh") + self.p2tr: _0satsPattern2 = _0satsPattern2(client, "p2tr") + self.p2wpkh: _0satsPattern2 = _0satsPattern2(client, "p2wpkh") + self.p2wsh: _0satsPattern2 = _0satsPattern2(client, "p2wsh") + self.unknown: _0satsPattern2 = _0satsPattern2(client, "unknown_outputs") + class MetricsTree_Distribution_UtxoCohorts_Year: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._2009: _0satsPattern2 = _0satsPattern2(client, 'year_2009') - self._2010: _0satsPattern2 = _0satsPattern2(client, 'year_2010') - self._2011: _0satsPattern2 = _0satsPattern2(client, 'year_2011') - self._2012: _0satsPattern2 = _0satsPattern2(client, 'year_2012') - self._2013: _0satsPattern2 = _0satsPattern2(client, 'year_2013') - self._2014: _0satsPattern2 = _0satsPattern2(client, 'year_2014') - self._2015: _0satsPattern2 = _0satsPattern2(client, 'year_2015') - self._2016: _0satsPattern2 = _0satsPattern2(client, 'year_2016') - self._2017: _0satsPattern2 = _0satsPattern2(client, 'year_2017') - self._2018: _0satsPattern2 = _0satsPattern2(client, 'year_2018') - self._2019: _0satsPattern2 = _0satsPattern2(client, 'year_2019') - self._2020: _0satsPattern2 = _0satsPattern2(client, 'year_2020') - self._2021: _0satsPattern2 = _0satsPattern2(client, 'year_2021') - self._2022: _0satsPattern2 = _0satsPattern2(client, 'year_2022') - self._2023: _0satsPattern2 = _0satsPattern2(client, 'year_2023') - self._2024: _0satsPattern2 = _0satsPattern2(client, 'year_2024') - self._2025: _0satsPattern2 = _0satsPattern2(client, 'year_2025') - self._2026: _0satsPattern2 = _0satsPattern2(client, 'year_2026') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._2009: _0satsPattern2 = _0satsPattern2(client, "year_2009") + self._2010: _0satsPattern2 = _0satsPattern2(client, "year_2010") + self._2011: _0satsPattern2 = _0satsPattern2(client, "year_2011") + self._2012: _0satsPattern2 = _0satsPattern2(client, "year_2012") + self._2013: _0satsPattern2 = _0satsPattern2(client, "year_2013") + self._2014: _0satsPattern2 = _0satsPattern2(client, "year_2014") + self._2015: _0satsPattern2 = _0satsPattern2(client, "year_2015") + self._2016: _0satsPattern2 = _0satsPattern2(client, "year_2016") + self._2017: _0satsPattern2 = _0satsPattern2(client, "year_2017") + self._2018: _0satsPattern2 = _0satsPattern2(client, "year_2018") + self._2019: _0satsPattern2 = _0satsPattern2(client, "year_2019") + self._2020: _0satsPattern2 = _0satsPattern2(client, "year_2020") + self._2021: _0satsPattern2 = _0satsPattern2(client, "year_2021") + self._2022: _0satsPattern2 = _0satsPattern2(client, "year_2022") + self._2023: _0satsPattern2 = _0satsPattern2(client, "year_2023") + self._2024: _0satsPattern2 = _0satsPattern2(client, "year_2024") + self._2025: _0satsPattern2 = _0satsPattern2(client, "year_2025") + self._2026: _0satsPattern2 = _0satsPattern2(client, "year_2026") + class MetricsTree_Distribution_UtxoCohorts: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.age_range: MetricsTree_Distribution_UtxoCohorts_AgeRange = MetricsTree_Distribution_UtxoCohorts_AgeRange(client) - self.all: MetricsTree_Distribution_UtxoCohorts_All = MetricsTree_Distribution_UtxoCohorts_All(client) - self.amount_range: MetricsTree_Distribution_UtxoCohorts_AmountRange = MetricsTree_Distribution_UtxoCohorts_AmountRange(client) - self.epoch: MetricsTree_Distribution_UtxoCohorts_Epoch = MetricsTree_Distribution_UtxoCohorts_Epoch(client) - self.ge_amount: MetricsTree_Distribution_UtxoCohorts_GeAmount = MetricsTree_Distribution_UtxoCohorts_GeAmount(client) - self.lt_amount: MetricsTree_Distribution_UtxoCohorts_LtAmount = MetricsTree_Distribution_UtxoCohorts_LtAmount(client) - self.max_age: MetricsTree_Distribution_UtxoCohorts_MaxAge = MetricsTree_Distribution_UtxoCohorts_MaxAge(client) - self.min_age: MetricsTree_Distribution_UtxoCohorts_MinAge = MetricsTree_Distribution_UtxoCohorts_MinAge(client) - self.term: MetricsTree_Distribution_UtxoCohorts_Term = MetricsTree_Distribution_UtxoCohorts_Term(client) - self.type_: MetricsTree_Distribution_UtxoCohorts_Type = MetricsTree_Distribution_UtxoCohorts_Type(client) - self.year: MetricsTree_Distribution_UtxoCohorts_Year = MetricsTree_Distribution_UtxoCohorts_Year(client) + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.age_range: MetricsTree_Distribution_UtxoCohorts_AgeRange = ( + MetricsTree_Distribution_UtxoCohorts_AgeRange(client) + ) + self.all: MetricsTree_Distribution_UtxoCohorts_All = ( + MetricsTree_Distribution_UtxoCohorts_All(client) + ) + self.amount_range: MetricsTree_Distribution_UtxoCohorts_AmountRange = ( + MetricsTree_Distribution_UtxoCohorts_AmountRange(client) + ) + self.epoch: MetricsTree_Distribution_UtxoCohorts_Epoch = ( + MetricsTree_Distribution_UtxoCohorts_Epoch(client) + ) + self.ge_amount: MetricsTree_Distribution_UtxoCohorts_GeAmount = ( + MetricsTree_Distribution_UtxoCohorts_GeAmount(client) + ) + self.lt_amount: MetricsTree_Distribution_UtxoCohorts_LtAmount = ( + MetricsTree_Distribution_UtxoCohorts_LtAmount(client) + ) + self.max_age: MetricsTree_Distribution_UtxoCohorts_MaxAge = ( + MetricsTree_Distribution_UtxoCohorts_MaxAge(client) + ) + self.min_age: MetricsTree_Distribution_UtxoCohorts_MinAge = ( + MetricsTree_Distribution_UtxoCohorts_MinAge(client) + ) + self.term: MetricsTree_Distribution_UtxoCohorts_Term = ( + MetricsTree_Distribution_UtxoCohorts_Term(client) + ) + self.type_: MetricsTree_Distribution_UtxoCohorts_Type = ( + MetricsTree_Distribution_UtxoCohorts_Type(client) + ) + self.year: MetricsTree_Distribution_UtxoCohorts_Year = ( + MetricsTree_Distribution_UtxoCohorts_Year(client) + ) + class MetricsTree_Distribution: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.addr_count: AddrCountPattern = AddrCountPattern(client, 'addr_count') - self.address_cohorts: MetricsTree_Distribution_AddressCohorts = MetricsTree_Distribution_AddressCohorts(client) - self.addresses_data: MetricsTree_Distribution_AddressesData = MetricsTree_Distribution_AddressesData(client) - self.any_address_indexes: MetricsTree_Distribution_AnyAddressIndexes = MetricsTree_Distribution_AnyAddressIndexes(client) - self.chain_state: MetricPattern11[SupplyState] = MetricPattern11(client, 'chain') - self.empty_addr_count: AddrCountPattern = AddrCountPattern(client, 'empty_addr_count') - self.emptyaddressindex: MetricPattern32[EmptyAddressIndex] = MetricPattern32(client, 'emptyaddressindex') - self.loadedaddressindex: MetricPattern31[LoadedAddressIndex] = MetricPattern31(client, 'loadedaddressindex') - self.utxo_cohorts: MetricsTree_Distribution_UtxoCohorts = MetricsTree_Distribution_UtxoCohorts(client) + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.addr_count: AddrCountPattern = AddrCountPattern(client, "addr_count") + self.address_cohorts: MetricsTree_Distribution_AddressCohorts = ( + MetricsTree_Distribution_AddressCohorts(client) + ) + self.addresses_data: MetricsTree_Distribution_AddressesData = ( + MetricsTree_Distribution_AddressesData(client) + ) + self.any_address_indexes: MetricsTree_Distribution_AnyAddressIndexes = ( + MetricsTree_Distribution_AnyAddressIndexes(client) + ) + self.chain_state: MetricPattern11[SupplyState] = MetricPattern11( + client, "chain" + ) + self.empty_addr_count: AddrCountPattern = AddrCountPattern( + client, "empty_addr_count" + ) + self.emptyaddressindex: MetricPattern32[EmptyAddressIndex] = MetricPattern32( + client, "emptyaddressindex" + ) + self.loadedaddressindex: MetricPattern31[LoadedAddressIndex] = MetricPattern31( + client, "loadedaddressindex" + ) + self.utxo_cohorts: MetricsTree_Distribution_UtxoCohorts = ( + MetricsTree_Distribution_UtxoCohorts(client) + ) + class MetricsTree_Indexes_Address_Empty: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern9[EmptyOutputIndex] = MetricPattern9(client, 'emptyoutputindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern9[EmptyOutputIndex] = MetricPattern9( + client, "emptyoutputindex" + ) + class MetricsTree_Indexes_Address_Opreturn: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern14[OpReturnIndex] = MetricPattern14(client, 'opreturnindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern14[OpReturnIndex] = MetricPattern14( + client, "opreturnindex" + ) + class MetricsTree_Indexes_Address_P2a: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern16[P2AAddressIndex] = MetricPattern16(client, 'p2aaddressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern16[P2AAddressIndex] = MetricPattern16( + client, "p2aaddressindex" + ) + class MetricsTree_Indexes_Address_P2ms: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern17[P2MSOutputIndex] = MetricPattern17(client, 'p2msoutputindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern17[P2MSOutputIndex] = MetricPattern17( + client, "p2msoutputindex" + ) + class MetricsTree_Indexes_Address_P2pk33: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern18[P2PK33AddressIndex] = MetricPattern18(client, 'p2pk33addressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern18[P2PK33AddressIndex] = MetricPattern18( + client, "p2pk33addressindex" + ) + class MetricsTree_Indexes_Address_P2pk65: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern19[P2PK65AddressIndex] = MetricPattern19(client, 'p2pk65addressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern19[P2PK65AddressIndex] = MetricPattern19( + client, "p2pk65addressindex" + ) + class MetricsTree_Indexes_Address_P2pkh: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern20[P2PKHAddressIndex] = MetricPattern20(client, 'p2pkhaddressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern20[P2PKHAddressIndex] = MetricPattern20( + client, "p2pkhaddressindex" + ) + class MetricsTree_Indexes_Address_P2sh: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern21[P2SHAddressIndex] = MetricPattern21(client, 'p2shaddressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern21[P2SHAddressIndex] = MetricPattern21( + client, "p2shaddressindex" + ) + class MetricsTree_Indexes_Address_P2tr: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern22[P2TRAddressIndex] = MetricPattern22(client, 'p2traddressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern22[P2TRAddressIndex] = MetricPattern22( + client, "p2traddressindex" + ) + class MetricsTree_Indexes_Address_P2wpkh: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern23[P2WPKHAddressIndex] = MetricPattern23(client, 'p2wpkhaddressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern23[P2WPKHAddressIndex] = MetricPattern23( + client, "p2wpkhaddressindex" + ) + class MetricsTree_Indexes_Address_P2wsh: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern24[P2WSHAddressIndex] = MetricPattern24(client, 'p2wshaddressindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern24[P2WSHAddressIndex] = MetricPattern24( + client, "p2wshaddressindex" + ) + class MetricsTree_Indexes_Address_Unknown: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern28[UnknownOutputIndex] = MetricPattern28(client, 'unknownoutputindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern28[UnknownOutputIndex] = MetricPattern28( + client, "unknownoutputindex" + ) + class MetricsTree_Indexes_Address: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.empty: MetricsTree_Indexes_Address_Empty = MetricsTree_Indexes_Address_Empty(client) - self.opreturn: MetricsTree_Indexes_Address_Opreturn = MetricsTree_Indexes_Address_Opreturn(client) - self.p2a: MetricsTree_Indexes_Address_P2a = MetricsTree_Indexes_Address_P2a(client) - self.p2ms: MetricsTree_Indexes_Address_P2ms = MetricsTree_Indexes_Address_P2ms(client) - self.p2pk33: MetricsTree_Indexes_Address_P2pk33 = MetricsTree_Indexes_Address_P2pk33(client) - self.p2pk65: MetricsTree_Indexes_Address_P2pk65 = MetricsTree_Indexes_Address_P2pk65(client) - self.p2pkh: MetricsTree_Indexes_Address_P2pkh = MetricsTree_Indexes_Address_P2pkh(client) - self.p2sh: MetricsTree_Indexes_Address_P2sh = MetricsTree_Indexes_Address_P2sh(client) - self.p2tr: MetricsTree_Indexes_Address_P2tr = MetricsTree_Indexes_Address_P2tr(client) - self.p2wpkh: MetricsTree_Indexes_Address_P2wpkh = MetricsTree_Indexes_Address_P2wpkh(client) - self.p2wsh: MetricsTree_Indexes_Address_P2wsh = MetricsTree_Indexes_Address_P2wsh(client) - self.unknown: MetricsTree_Indexes_Address_Unknown = MetricsTree_Indexes_Address_Unknown(client) + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.empty: MetricsTree_Indexes_Address_Empty = ( + MetricsTree_Indexes_Address_Empty(client) + ) + self.opreturn: MetricsTree_Indexes_Address_Opreturn = ( + MetricsTree_Indexes_Address_Opreturn(client) + ) + self.p2a: MetricsTree_Indexes_Address_P2a = MetricsTree_Indexes_Address_P2a( + client + ) + self.p2ms: MetricsTree_Indexes_Address_P2ms = MetricsTree_Indexes_Address_P2ms( + client + ) + self.p2pk33: MetricsTree_Indexes_Address_P2pk33 = ( + MetricsTree_Indexes_Address_P2pk33(client) + ) + self.p2pk65: MetricsTree_Indexes_Address_P2pk65 = ( + MetricsTree_Indexes_Address_P2pk65(client) + ) + self.p2pkh: MetricsTree_Indexes_Address_P2pkh = ( + MetricsTree_Indexes_Address_P2pkh(client) + ) + self.p2sh: MetricsTree_Indexes_Address_P2sh = MetricsTree_Indexes_Address_P2sh( + client + ) + self.p2tr: MetricsTree_Indexes_Address_P2tr = MetricsTree_Indexes_Address_P2tr( + client + ) + self.p2wpkh: MetricsTree_Indexes_Address_P2wpkh = ( + MetricsTree_Indexes_Address_P2wpkh(client) + ) + self.p2wsh: MetricsTree_Indexes_Address_P2wsh = ( + MetricsTree_Indexes_Address_P2wsh(client) + ) + self.unknown: MetricsTree_Indexes_Address_Unknown = ( + MetricsTree_Indexes_Address_Unknown(client) + ) + class MetricsTree_Indexes_Dateindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.date: MetricPattern6[Date] = MetricPattern6(client, 'date') - self.first_height: MetricPattern6[Height] = MetricPattern6(client, 'first_height') - self.height_count: MetricPattern6[StoredU64] = MetricPattern6(client, 'height_count') - self.identity: MetricPattern6[DateIndex] = MetricPattern6(client, 'dateindex') - self.monthindex: MetricPattern6[MonthIndex] = MetricPattern6(client, 'monthindex') - self.weekindex: MetricPattern6[WeekIndex] = MetricPattern6(client, 'weekindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.date: MetricPattern6[Date] = MetricPattern6(client, "date") + self.first_height: MetricPattern6[Height] = MetricPattern6( + client, "first_height" + ) + self.height_count: MetricPattern6[StoredU64] = MetricPattern6( + client, "height_count" + ) + self.identity: MetricPattern6[DateIndex] = MetricPattern6(client, "dateindex") + self.monthindex: MetricPattern6[MonthIndex] = MetricPattern6( + client, "monthindex" + ) + self.weekindex: MetricPattern6[WeekIndex] = MetricPattern6(client, "weekindex") + class MetricsTree_Indexes_Decadeindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.date: MetricPattern7[Date] = MetricPattern7(client, 'date') - self.first_yearindex: MetricPattern7[YearIndex] = MetricPattern7(client, 'first_yearindex') - self.identity: MetricPattern7[DecadeIndex] = MetricPattern7(client, 'decadeindex') - self.yearindex_count: MetricPattern7[StoredU64] = MetricPattern7(client, 'yearindex_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.date: MetricPattern7[Date] = MetricPattern7(client, "date") + self.first_yearindex: MetricPattern7[YearIndex] = MetricPattern7( + client, "first_yearindex" + ) + self.identity: MetricPattern7[DecadeIndex] = MetricPattern7( + client, "decadeindex" + ) + self.yearindex_count: MetricPattern7[StoredU64] = MetricPattern7( + client, "yearindex_count" + ) + class MetricsTree_Indexes_Difficultyepoch: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.first_height: MetricPattern8[Height] = MetricPattern8(client, 'first_height') - self.height_count: MetricPattern8[StoredU64] = MetricPattern8(client, 'height_count') - self.identity: MetricPattern8[DifficultyEpoch] = MetricPattern8(client, 'difficultyepoch') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.first_height: MetricPattern8[Height] = MetricPattern8( + client, "first_height" + ) + self.height_count: MetricPattern8[StoredU64] = MetricPattern8( + client, "height_count" + ) + self.identity: MetricPattern8[DifficultyEpoch] = MetricPattern8( + client, "difficultyepoch" + ) + class MetricsTree_Indexes_Halvingepoch: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.first_height: MetricPattern10[Height] = MetricPattern10(client, 'first_height') - self.identity: MetricPattern10[HalvingEpoch] = MetricPattern10(client, 'halvingepoch') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.first_height: MetricPattern10[Height] = MetricPattern10( + client, "first_height" + ) + self.identity: MetricPattern10[HalvingEpoch] = MetricPattern10( + client, "halvingepoch" + ) + class MetricsTree_Indexes_Height: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.dateindex: MetricPattern11[DateIndex] = MetricPattern11(client, 'height_dateindex') - self.difficultyepoch: MetricPattern11[DifficultyEpoch] = MetricPattern11(client, 'difficultyepoch') - self.halvingepoch: MetricPattern11[HalvingEpoch] = MetricPattern11(client, 'halvingepoch') - self.identity: MetricPattern11[Height] = MetricPattern11(client, 'height') - self.txindex_count: MetricPattern11[StoredU64] = MetricPattern11(client, 'txindex_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.dateindex: MetricPattern11[DateIndex] = MetricPattern11( + client, "height_dateindex" + ) + self.difficultyepoch: MetricPattern11[DifficultyEpoch] = MetricPattern11( + client, "difficultyepoch" + ) + self.halvingepoch: MetricPattern11[HalvingEpoch] = MetricPattern11( + client, "halvingepoch" + ) + self.identity: MetricPattern11[Height] = MetricPattern11(client, "height") + self.txindex_count: MetricPattern11[StoredU64] = MetricPattern11( + client, "txindex_count" + ) + class MetricsTree_Indexes_Monthindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.date: MetricPattern13[Date] = MetricPattern13(client, 'date') - self.dateindex_count: MetricPattern13[StoredU64] = MetricPattern13(client, 'dateindex_count') - self.first_dateindex: MetricPattern13[DateIndex] = MetricPattern13(client, 'first_dateindex') - self.identity: MetricPattern13[MonthIndex] = MetricPattern13(client, 'monthindex') - self.quarterindex: MetricPattern13[QuarterIndex] = MetricPattern13(client, 'quarterindex') - self.semesterindex: MetricPattern13[SemesterIndex] = MetricPattern13(client, 'semesterindex') - self.yearindex: MetricPattern13[YearIndex] = MetricPattern13(client, 'yearindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.date: MetricPattern13[Date] = MetricPattern13(client, "date") + self.dateindex_count: MetricPattern13[StoredU64] = MetricPattern13( + client, "dateindex_count" + ) + self.first_dateindex: MetricPattern13[DateIndex] = MetricPattern13( + client, "first_dateindex" + ) + self.identity: MetricPattern13[MonthIndex] = MetricPattern13( + client, "monthindex" + ) + self.quarterindex: MetricPattern13[QuarterIndex] = MetricPattern13( + client, "quarterindex" + ) + self.semesterindex: MetricPattern13[SemesterIndex] = MetricPattern13( + client, "semesterindex" + ) + self.yearindex: MetricPattern13[YearIndex] = MetricPattern13( + client, "yearindex" + ) + class MetricsTree_Indexes_Quarterindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.date: MetricPattern25[Date] = MetricPattern25(client, 'date') - self.first_monthindex: MetricPattern25[MonthIndex] = MetricPattern25(client, 'first_monthindex') - self.identity: MetricPattern25[QuarterIndex] = MetricPattern25(client, 'quarterindex') - self.monthindex_count: MetricPattern25[StoredU64] = MetricPattern25(client, 'monthindex_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.date: MetricPattern25[Date] = MetricPattern25(client, "date") + self.first_monthindex: MetricPattern25[MonthIndex] = MetricPattern25( + client, "first_monthindex" + ) + self.identity: MetricPattern25[QuarterIndex] = MetricPattern25( + client, "quarterindex" + ) + self.monthindex_count: MetricPattern25[StoredU64] = MetricPattern25( + client, "monthindex_count" + ) + class MetricsTree_Indexes_Semesterindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.date: MetricPattern26[Date] = MetricPattern26(client, 'date') - self.first_monthindex: MetricPattern26[MonthIndex] = MetricPattern26(client, 'first_monthindex') - self.identity: MetricPattern26[SemesterIndex] = MetricPattern26(client, 'semesterindex') - self.monthindex_count: MetricPattern26[StoredU64] = MetricPattern26(client, 'monthindex_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.date: MetricPattern26[Date] = MetricPattern26(client, "date") + self.first_monthindex: MetricPattern26[MonthIndex] = MetricPattern26( + client, "first_monthindex" + ) + self.identity: MetricPattern26[SemesterIndex] = MetricPattern26( + client, "semesterindex" + ) + self.monthindex_count: MetricPattern26[StoredU64] = MetricPattern26( + client, "monthindex_count" + ) + class MetricsTree_Indexes_Txindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern27[TxIndex] = MetricPattern27(client, 'txindex') - self.input_count: MetricPattern27[StoredU64] = MetricPattern27(client, 'input_count') - self.output_count: MetricPattern27[StoredU64] = MetricPattern27(client, 'output_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern27[TxIndex] = MetricPattern27(client, "txindex") + self.input_count: MetricPattern27[StoredU64] = MetricPattern27( + client, "input_count" + ) + self.output_count: MetricPattern27[StoredU64] = MetricPattern27( + client, "output_count" + ) + class MetricsTree_Indexes_Txinindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern12[TxInIndex] = MetricPattern12(client, 'txinindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern12[TxInIndex] = MetricPattern12(client, "txinindex") + class MetricsTree_Indexes_Txoutindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.identity: MetricPattern15[TxOutIndex] = MetricPattern15(client, 'txoutindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.identity: MetricPattern15[TxOutIndex] = MetricPattern15( + client, "txoutindex" + ) + class MetricsTree_Indexes_Weekindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.date: MetricPattern29[Date] = MetricPattern29(client, 'date') - self.dateindex_count: MetricPattern29[StoredU64] = MetricPattern29(client, 'dateindex_count') - self.first_dateindex: MetricPattern29[DateIndex] = MetricPattern29(client, 'first_dateindex') - self.identity: MetricPattern29[WeekIndex] = MetricPattern29(client, 'weekindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.date: MetricPattern29[Date] = MetricPattern29(client, "date") + self.dateindex_count: MetricPattern29[StoredU64] = MetricPattern29( + client, "dateindex_count" + ) + self.first_dateindex: MetricPattern29[DateIndex] = MetricPattern29( + client, "first_dateindex" + ) + self.identity: MetricPattern29[WeekIndex] = MetricPattern29(client, "weekindex") + class MetricsTree_Indexes_Yearindex: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.date: MetricPattern30[Date] = MetricPattern30(client, 'date') - self.decadeindex: MetricPattern30[DecadeIndex] = MetricPattern30(client, 'decadeindex') - self.first_monthindex: MetricPattern30[MonthIndex] = MetricPattern30(client, 'first_monthindex') - self.identity: MetricPattern30[YearIndex] = MetricPattern30(client, 'yearindex') - self.monthindex_count: MetricPattern30[StoredU64] = MetricPattern30(client, 'monthindex_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.date: MetricPattern30[Date] = MetricPattern30(client, "date") + self.decadeindex: MetricPattern30[DecadeIndex] = MetricPattern30( + client, "decadeindex" + ) + self.first_monthindex: MetricPattern30[MonthIndex] = MetricPattern30( + client, "first_monthindex" + ) + self.identity: MetricPattern30[YearIndex] = MetricPattern30(client, "yearindex") + self.monthindex_count: MetricPattern30[StoredU64] = MetricPattern30( + client, "monthindex_count" + ) + class MetricsTree_Indexes: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): + + def __init__(self, client: BrkClientBase, base_path: str = ""): self.address: MetricsTree_Indexes_Address = MetricsTree_Indexes_Address(client) - self.dateindex: MetricsTree_Indexes_Dateindex = MetricsTree_Indexes_Dateindex(client) - self.decadeindex: MetricsTree_Indexes_Decadeindex = MetricsTree_Indexes_Decadeindex(client) - self.difficultyepoch: MetricsTree_Indexes_Difficultyepoch = MetricsTree_Indexes_Difficultyepoch(client) - self.halvingepoch: MetricsTree_Indexes_Halvingepoch = MetricsTree_Indexes_Halvingepoch(client) + self.dateindex: MetricsTree_Indexes_Dateindex = MetricsTree_Indexes_Dateindex( + client + ) + self.decadeindex: MetricsTree_Indexes_Decadeindex = ( + MetricsTree_Indexes_Decadeindex(client) + ) + self.difficultyepoch: MetricsTree_Indexes_Difficultyepoch = ( + MetricsTree_Indexes_Difficultyepoch(client) + ) + self.halvingepoch: MetricsTree_Indexes_Halvingepoch = ( + MetricsTree_Indexes_Halvingepoch(client) + ) self.height: MetricsTree_Indexes_Height = MetricsTree_Indexes_Height(client) - self.monthindex: MetricsTree_Indexes_Monthindex = MetricsTree_Indexes_Monthindex(client) - self.quarterindex: MetricsTree_Indexes_Quarterindex = MetricsTree_Indexes_Quarterindex(client) - self.semesterindex: MetricsTree_Indexes_Semesterindex = MetricsTree_Indexes_Semesterindex(client) + self.monthindex: MetricsTree_Indexes_Monthindex = ( + MetricsTree_Indexes_Monthindex(client) + ) + self.quarterindex: MetricsTree_Indexes_Quarterindex = ( + MetricsTree_Indexes_Quarterindex(client) + ) + self.semesterindex: MetricsTree_Indexes_Semesterindex = ( + MetricsTree_Indexes_Semesterindex(client) + ) self.txindex: MetricsTree_Indexes_Txindex = MetricsTree_Indexes_Txindex(client) - self.txinindex: MetricsTree_Indexes_Txinindex = MetricsTree_Indexes_Txinindex(client) - self.txoutindex: MetricsTree_Indexes_Txoutindex = MetricsTree_Indexes_Txoutindex(client) - self.weekindex: MetricsTree_Indexes_Weekindex = MetricsTree_Indexes_Weekindex(client) - self.yearindex: MetricsTree_Indexes_Yearindex = MetricsTree_Indexes_Yearindex(client) + self.txinindex: MetricsTree_Indexes_Txinindex = MetricsTree_Indexes_Txinindex( + client + ) + self.txoutindex: MetricsTree_Indexes_Txoutindex = ( + MetricsTree_Indexes_Txoutindex(client) + ) + self.weekindex: MetricsTree_Indexes_Weekindex = MetricsTree_Indexes_Weekindex( + client + ) + self.yearindex: MetricsTree_Indexes_Yearindex = MetricsTree_Indexes_Yearindex( + client + ) + class MetricsTree_Inputs_Spent: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.txoutindex: MetricPattern12[TxOutIndex] = MetricPattern12(client, 'txoutindex') - self.value: MetricPattern12[Sats] = MetricPattern12(client, 'value') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.txoutindex: MetricPattern12[TxOutIndex] = MetricPattern12( + client, "txoutindex" + ) + self.value: MetricPattern12[Sats] = MetricPattern12(client, "value") + class MetricsTree_Inputs: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.count: CountPattern2[StoredU64] = CountPattern2(client, 'input_count') - self.first_txinindex: MetricPattern11[TxInIndex] = MetricPattern11(client, 'first_txinindex') - self.outpoint: MetricPattern12[OutPoint] = MetricPattern12(client, 'outpoint') - self.outputtype: MetricPattern12[OutputType] = MetricPattern12(client, 'outputtype') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.count: CountPattern2[StoredU64] = CountPattern2(client, "input_count") + self.first_txinindex: MetricPattern11[TxInIndex] = MetricPattern11( + client, "first_txinindex" + ) + self.outpoint: MetricPattern12[OutPoint] = MetricPattern12(client, "outpoint") + self.outputtype: MetricPattern12[OutputType] = MetricPattern12( + client, "outputtype" + ) self.spent: MetricsTree_Inputs_Spent = MetricsTree_Inputs_Spent(client) - self.txindex: MetricPattern12[TxIndex] = MetricPattern12(client, 'txindex') - self.typeindex: MetricPattern12[TypeIndex] = MetricPattern12(client, 'typeindex') + self.txindex: MetricPattern12[TxIndex] = MetricPattern12(client, "txindex") + self.typeindex: MetricPattern12[TypeIndex] = MetricPattern12( + client, "typeindex" + ) + class MetricsTree_Market_Ath: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.days_since_price_ath: MetricPattern4[StoredU16] = MetricPattern4(client, 'days_since_price_ath') - self.max_days_between_price_aths: MetricPattern4[StoredU16] = MetricPattern4(client, 'max_days_between_price_aths') - self.max_years_between_price_aths: MetricPattern4[StoredF32] = MetricPattern4(client, 'max_years_between_price_aths') - self.price_ath: MetricPattern1[Dollars] = MetricPattern1(client, 'price_ath') - self.price_drawdown: MetricPattern3[StoredF32] = MetricPattern3(client, 'price_drawdown') - self.years_since_price_ath: MetricPattern4[StoredF32] = MetricPattern4(client, 'years_since_price_ath') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.days_since_price_ath: MetricPattern4[StoredU16] = MetricPattern4( + client, "days_since_price_ath" + ) + self.max_days_between_price_aths: MetricPattern4[StoredU16] = MetricPattern4( + client, "max_days_between_price_aths" + ) + self.max_years_between_price_aths: MetricPattern4[StoredF32] = MetricPattern4( + client, "max_years_between_price_aths" + ) + self.price_ath: MetricPattern1[Dollars] = MetricPattern1(client, "price_ath") + self.price_drawdown: MetricPattern3[StoredF32] = MetricPattern3( + client, "price_drawdown" + ) + self.years_since_price_ath: MetricPattern4[StoredF32] = MetricPattern4( + client, "years_since_price_ath" + ) + class MetricsTree_Market_Dca_ClassStack: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._2015: _2015Pattern = _2015Pattern(client, 'dca_class_2015_stack') - self._2016: _2015Pattern = _2015Pattern(client, 'dca_class_2016_stack') - self._2017: _2015Pattern = _2015Pattern(client, 'dca_class_2017_stack') - self._2018: _2015Pattern = _2015Pattern(client, 'dca_class_2018_stack') - self._2019: _2015Pattern = _2015Pattern(client, 'dca_class_2019_stack') - self._2020: _2015Pattern = _2015Pattern(client, 'dca_class_2020_stack') - self._2021: _2015Pattern = _2015Pattern(client, 'dca_class_2021_stack') - self._2022: _2015Pattern = _2015Pattern(client, 'dca_class_2022_stack') - self._2023: _2015Pattern = _2015Pattern(client, 'dca_class_2023_stack') - self._2024: _2015Pattern = _2015Pattern(client, 'dca_class_2024_stack') - self._2025: _2015Pattern = _2015Pattern(client, 'dca_class_2025_stack') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._2015: _2015Pattern = _2015Pattern(client, "dca_class_2015_stack") + self._2016: _2015Pattern = _2015Pattern(client, "dca_class_2016_stack") + self._2017: _2015Pattern = _2015Pattern(client, "dca_class_2017_stack") + self._2018: _2015Pattern = _2015Pattern(client, "dca_class_2018_stack") + self._2019: _2015Pattern = _2015Pattern(client, "dca_class_2019_stack") + self._2020: _2015Pattern = _2015Pattern(client, "dca_class_2020_stack") + self._2021: _2015Pattern = _2015Pattern(client, "dca_class_2021_stack") + self._2022: _2015Pattern = _2015Pattern(client, "dca_class_2022_stack") + self._2023: _2015Pattern = _2015Pattern(client, "dca_class_2023_stack") + self._2024: _2015Pattern = _2015Pattern(client, "dca_class_2024_stack") + self._2025: _2015Pattern = _2015Pattern(client, "dca_class_2025_stack") + class MetricsTree_Market_Dca: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.class_average_price: ClassAveragePricePattern[Dollars] = ClassAveragePricePattern(client, 'dca_class') - self.class_returns: ClassAveragePricePattern[StoredF32] = ClassAveragePricePattern(client, 'dca_class') - self.class_stack: MetricsTree_Market_Dca_ClassStack = MetricsTree_Market_Dca_ClassStack(client) - self.period_average_price: PeriodAveragePricePattern[Dollars] = PeriodAveragePricePattern(client, 'dca_average_price') - self.period_cagr: PeriodCagrPattern = PeriodCagrPattern(client, 'dca_cagr') - self.period_lump_sum_stack: PeriodLumpSumStackPattern = PeriodLumpSumStackPattern(client, 'lump_sum_stack') - self.period_returns: PeriodAveragePricePattern[StoredF32] = PeriodAveragePricePattern(client, 'dca_returns') - self.period_stack: PeriodLumpSumStackPattern = PeriodLumpSumStackPattern(client, 'dca_stack') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.class_average_price: ClassAveragePricePattern[Dollars] = ( + ClassAveragePricePattern(client, "dca_class") + ) + self.class_returns: ClassAveragePricePattern[StoredF32] = ( + ClassAveragePricePattern(client, "dca_class") + ) + self.class_stack: MetricsTree_Market_Dca_ClassStack = ( + MetricsTree_Market_Dca_ClassStack(client) + ) + self.period_average_price: PeriodAveragePricePattern[Dollars] = ( + PeriodAveragePricePattern(client, "dca_average_price") + ) + self.period_cagr: PeriodCagrPattern = PeriodCagrPattern(client, "dca_cagr") + self.period_lump_sum_stack: PeriodLumpSumStackPattern = ( + PeriodLumpSumStackPattern(client, "lump_sum_stack") + ) + self.period_returns: PeriodAveragePricePattern[StoredF32] = ( + PeriodAveragePricePattern(client, "dca_returns") + ) + self.period_stack: PeriodLumpSumStackPattern = PeriodLumpSumStackPattern( + client, "dca_stack" + ) + class MetricsTree_Market_Indicators: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.gini: MetricPattern6[StoredF32] = MetricPattern6(client, 'gini') - self.macd_histogram: MetricPattern6[StoredF32] = MetricPattern6(client, 'macd_histogram') - self.macd_line: MetricPattern6[StoredF32] = MetricPattern6(client, 'macd_line') - self.macd_signal: MetricPattern6[StoredF32] = MetricPattern6(client, 'macd_signal') - self.nvt: MetricPattern4[StoredF32] = MetricPattern4(client, 'nvt') - self.pi_cycle: MetricPattern6[StoredF32] = MetricPattern6(client, 'pi_cycle') - self.puell_multiple: MetricPattern4[StoredF32] = MetricPattern4(client, 'puell_multiple') - self.rsi_14d: MetricPattern6[StoredF32] = MetricPattern6(client, 'rsi_14d') - self.rsi_14d_max: MetricPattern6[StoredF32] = MetricPattern6(client, 'rsi_14d_max') - self.rsi_14d_min: MetricPattern6[StoredF32] = MetricPattern6(client, 'rsi_14d_min') - self.rsi_average_gain_14d: MetricPattern6[StoredF32] = MetricPattern6(client, 'rsi_average_gain_14d') - self.rsi_average_loss_14d: MetricPattern6[StoredF32] = MetricPattern6(client, 'rsi_average_loss_14d') - self.rsi_gains: MetricPattern6[StoredF32] = MetricPattern6(client, 'rsi_gains') - self.rsi_losses: MetricPattern6[StoredF32] = MetricPattern6(client, 'rsi_losses') - self.stoch_d: MetricPattern6[StoredF32] = MetricPattern6(client, 'stoch_d') - self.stoch_k: MetricPattern6[StoredF32] = MetricPattern6(client, 'stoch_k') - self.stoch_rsi: MetricPattern6[StoredF32] = MetricPattern6(client, 'stoch_rsi') - self.stoch_rsi_d: MetricPattern6[StoredF32] = MetricPattern6(client, 'stoch_rsi_d') - self.stoch_rsi_k: MetricPattern6[StoredF32] = MetricPattern6(client, 'stoch_rsi_k') -class MetricsTree_Market_Lookback: - """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.price_ago: PriceAgoPattern[Dollars] = PriceAgoPattern(client, 'price') + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.gini: MetricPattern6[StoredF32] = MetricPattern6(client, "gini") + self.macd_histogram: MetricPattern6[StoredF32] = MetricPattern6( + client, "macd_histogram" + ) + self.macd_line: MetricPattern6[StoredF32] = MetricPattern6(client, "macd_line") + self.macd_signal: MetricPattern6[StoredF32] = MetricPattern6( + client, "macd_signal" + ) + self.nvt: MetricPattern4[StoredF32] = MetricPattern4(client, "nvt") + self.pi_cycle: MetricPattern6[StoredF32] = MetricPattern6(client, "pi_cycle") + self.puell_multiple: MetricPattern4[StoredF32] = MetricPattern4( + client, "puell_multiple" + ) + self.rsi_14d: MetricPattern6[StoredF32] = MetricPattern6(client, "rsi_14d") + self.rsi_14d_max: MetricPattern6[StoredF32] = MetricPattern6( + client, "rsi_14d_max" + ) + self.rsi_14d_min: MetricPattern6[StoredF32] = MetricPattern6( + client, "rsi_14d_min" + ) + self.rsi_average_gain_14d: MetricPattern6[StoredF32] = MetricPattern6( + client, "rsi_average_gain_14d" + ) + self.rsi_average_loss_14d: MetricPattern6[StoredF32] = MetricPattern6( + client, "rsi_average_loss_14d" + ) + self.rsi_gains: MetricPattern6[StoredF32] = MetricPattern6(client, "rsi_gains") + self.rsi_losses: MetricPattern6[StoredF32] = MetricPattern6( + client, "rsi_losses" + ) + self.stoch_d: MetricPattern6[StoredF32] = MetricPattern6(client, "stoch_d") + self.stoch_k: MetricPattern6[StoredF32] = MetricPattern6(client, "stoch_k") + self.stoch_rsi: MetricPattern6[StoredF32] = MetricPattern6(client, "stoch_rsi") + self.stoch_rsi_d: MetricPattern6[StoredF32] = MetricPattern6( + client, "stoch_rsi_d" + ) + self.stoch_rsi_k: MetricPattern6[StoredF32] = MetricPattern6( + client, "stoch_rsi_k" + ) + class MetricsTree_Market_MovingAverage: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.price_111d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_111d_sma') - self.price_12d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_12d_ema') - self.price_13d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_13d_ema') - self.price_13d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_13d_sma') - self.price_144d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_144d_ema') - self.price_144d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_144d_sma') - self.price_1m_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_1m_ema') - self.price_1m_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_1m_sma') - self.price_1w_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_1w_ema') - self.price_1w_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_1w_sma') - self.price_1y_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_1y_ema') - self.price_1y_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_1y_sma') - self.price_200d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_200d_ema') - self.price_200d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_200d_sma') - self.price_200d_sma_x0_8: MetricPattern4[Dollars] = MetricPattern4(client, 'price_200d_sma_x0_8') - self.price_200d_sma_x2_4: MetricPattern4[Dollars] = MetricPattern4(client, 'price_200d_sma_x2_4') - self.price_200w_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_200w_ema') - self.price_200w_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_200w_sma') - self.price_21d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_21d_ema') - self.price_21d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_21d_sma') - self.price_26d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_26d_ema') - self.price_2y_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_2y_ema') - self.price_2y_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_2y_sma') - self.price_34d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_34d_ema') - self.price_34d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_34d_sma') - self.price_350d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_350d_sma') - self.price_350d_sma_x2: MetricPattern4[Dollars] = MetricPattern4(client, 'price_350d_sma_x2') - self.price_4y_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_4y_ema') - self.price_4y_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_4y_sma') - self.price_55d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_55d_ema') - self.price_55d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_55d_sma') - self.price_89d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_89d_ema') - self.price_89d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_89d_sma') - self.price_8d_ema: Price111dSmaPattern = Price111dSmaPattern(client, 'price_8d_ema') - self.price_8d_sma: Price111dSmaPattern = Price111dSmaPattern(client, 'price_8d_sma') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.price_111d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_111d_sma" + ) + self.price_12d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_12d_ema" + ) + self.price_13d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_13d_ema" + ) + self.price_13d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_13d_sma" + ) + self.price_144d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_144d_ema" + ) + self.price_144d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_144d_sma" + ) + self.price_1m_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_1m_ema" + ) + self.price_1m_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_1m_sma" + ) + self.price_1w_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_1w_ema" + ) + self.price_1w_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_1w_sma" + ) + self.price_1y_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_1y_ema" + ) + self.price_1y_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_1y_sma" + ) + self.price_200d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_200d_ema" + ) + self.price_200d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_200d_sma" + ) + self.price_200d_sma_x0_8: MetricPattern4[Dollars] = MetricPattern4( + client, "price_200d_sma_x0_8" + ) + self.price_200d_sma_x2_4: MetricPattern4[Dollars] = MetricPattern4( + client, "price_200d_sma_x2_4" + ) + self.price_200w_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_200w_ema" + ) + self.price_200w_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_200w_sma" + ) + self.price_21d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_21d_ema" + ) + self.price_21d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_21d_sma" + ) + self.price_26d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_26d_ema" + ) + self.price_2y_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_2y_ema" + ) + self.price_2y_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_2y_sma" + ) + self.price_34d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_34d_ema" + ) + self.price_34d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_34d_sma" + ) + self.price_350d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_350d_sma" + ) + self.price_350d_sma_x2: MetricPattern4[Dollars] = MetricPattern4( + client, "price_350d_sma_x2" + ) + self.price_4y_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_4y_ema" + ) + self.price_4y_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_4y_sma" + ) + self.price_55d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_55d_ema" + ) + self.price_55d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_55d_sma" + ) + self.price_89d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_89d_ema" + ) + self.price_89d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_89d_sma" + ) + self.price_8d_ema: Price111dSmaPattern = Price111dSmaPattern( + client, "price_8d_ema" + ) + self.price_8d_sma: Price111dSmaPattern = Price111dSmaPattern( + client, "price_8d_sma" + ) + class MetricsTree_Market_Range: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.price_1m_max: MetricPattern4[Dollars] = MetricPattern4(client, 'price_1m_max') - self.price_1m_min: MetricPattern4[Dollars] = MetricPattern4(client, 'price_1m_min') - self.price_1w_max: MetricPattern4[Dollars] = MetricPattern4(client, 'price_1w_max') - self.price_1w_min: MetricPattern4[Dollars] = MetricPattern4(client, 'price_1w_min') - self.price_1y_max: MetricPattern4[Dollars] = MetricPattern4(client, 'price_1y_max') - self.price_1y_min: MetricPattern4[Dollars] = MetricPattern4(client, 'price_1y_min') - self.price_2w_choppiness_index: MetricPattern4[StoredF32] = MetricPattern4(client, 'price_2w_choppiness_index') - self.price_2w_max: MetricPattern4[Dollars] = MetricPattern4(client, 'price_2w_max') - self.price_2w_min: MetricPattern4[Dollars] = MetricPattern4(client, 'price_2w_min') - self.price_true_range: MetricPattern6[StoredF32] = MetricPattern6(client, 'price_true_range') - self.price_true_range_2w_sum: MetricPattern6[StoredF32] = MetricPattern6(client, 'price_true_range_2w_sum') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.price_1m_max: MetricPattern4[Dollars] = MetricPattern4( + client, "price_1m_max" + ) + self.price_1m_min: MetricPattern4[Dollars] = MetricPattern4( + client, "price_1m_min" + ) + self.price_1w_max: MetricPattern4[Dollars] = MetricPattern4( + client, "price_1w_max" + ) + self.price_1w_min: MetricPattern4[Dollars] = MetricPattern4( + client, "price_1w_min" + ) + self.price_1y_max: MetricPattern4[Dollars] = MetricPattern4( + client, "price_1y_max" + ) + self.price_1y_min: MetricPattern4[Dollars] = MetricPattern4( + client, "price_1y_min" + ) + self.price_2w_choppiness_index: MetricPattern4[StoredF32] = MetricPattern4( + client, "price_2w_choppiness_index" + ) + self.price_2w_max: MetricPattern4[Dollars] = MetricPattern4( + client, "price_2w_max" + ) + self.price_2w_min: MetricPattern4[Dollars] = MetricPattern4( + client, "price_2w_min" + ) + self.price_true_range: MetricPattern6[StoredF32] = MetricPattern6( + client, "price_true_range" + ) + self.price_true_range_2w_sum: MetricPattern6[StoredF32] = MetricPattern6( + client, "price_true_range_2w_sum" + ) + + +class MetricsTree_Market_Returns_PriceReturns: + """Metrics tree node.""" + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._10y: MetricPattern4[StoredF32] = MetricPattern4( + client, "10y_price_returns" + ) + self._1d: MetricPattern4[StoredF32] = MetricPattern4(client, "1d_price_returns") + self._1m: MetricPattern4[StoredF32] = MetricPattern4(client, "1m_price_returns") + self._1w: MetricPattern4[StoredF32] = MetricPattern4(client, "1w_price_returns") + self._1y: MetricPattern4[StoredF32] = MetricPattern4(client, "1y_price_returns") + self._2y: MetricPattern4[StoredF32] = MetricPattern4(client, "2y_price_returns") + self._3m: MetricPattern4[StoredF32] = MetricPattern4(client, "3m_price_returns") + self._3y: MetricPattern4[StoredF32] = MetricPattern4(client, "3y_price_returns") + self._4y: MetricPattern4[StoredF32] = MetricPattern4(client, "4y_price_returns") + self._5y: MetricPattern4[StoredF32] = MetricPattern4(client, "5y_price_returns") + self._6m: MetricPattern4[StoredF32] = MetricPattern4(client, "6m_price_returns") + self._6y: MetricPattern4[StoredF32] = MetricPattern4(client, "6y_price_returns") + self._8y: MetricPattern4[StoredF32] = MetricPattern4(client, "8y_price_returns") + class MetricsTree_Market_Returns: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self._1d_returns_1m_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern(client, '1d_returns_1m_sd') - self._1d_returns_1w_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern(client, '1d_returns_1w_sd') - self._1d_returns_1y_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern(client, '1d_returns_1y_sd') - self.cagr: PeriodCagrPattern = PeriodCagrPattern(client, 'cagr') - self.downside_1m_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern(client, 'downside_1m_sd') - self.downside_1w_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern(client, 'downside_1w_sd') - self.downside_1y_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern(client, 'downside_1y_sd') - self.downside_returns: MetricPattern6[StoredF32] = MetricPattern6(client, 'downside_returns') - self.price_returns: PriceAgoPattern[StoredF32] = PriceAgoPattern(client, 'price_returns') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self._1d_returns_1m_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern( + client, "1d_returns_1m_sd" + ) + self._1d_returns_1w_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern( + client, "1d_returns_1w_sd" + ) + self._1d_returns_1y_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern( + client, "1d_returns_1y_sd" + ) + self.cagr: PeriodCagrPattern = PeriodCagrPattern(client, "cagr") + self.downside_1m_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern( + client, "downside_1m_sd" + ) + self.downside_1w_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern( + client, "downside_1w_sd" + ) + self.downside_1y_sd: _1dReturns1mSdPattern = _1dReturns1mSdPattern( + client, "downside_1y_sd" + ) + self.downside_returns: MetricPattern6[StoredF32] = MetricPattern6( + client, "downside_returns" + ) + self.price_returns: MetricsTree_Market_Returns_PriceReturns = ( + MetricsTree_Market_Returns_PriceReturns(client) + ) + class MetricsTree_Market_Volatility: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.price_1m_volatility: MetricPattern4[StoredF32] = MetricPattern4(client, 'price_1m_volatility') - self.price_1w_volatility: MetricPattern4[StoredF32] = MetricPattern4(client, 'price_1w_volatility') - self.price_1y_volatility: MetricPattern4[StoredF32] = MetricPattern4(client, 'price_1y_volatility') - self.sharpe_1m: MetricPattern6[StoredF32] = MetricPattern6(client, 'sharpe_1m') - self.sharpe_1w: MetricPattern6[StoredF32] = MetricPattern6(client, 'sharpe_1w') - self.sharpe_1y: MetricPattern6[StoredF32] = MetricPattern6(client, 'sharpe_1y') - self.sortino_1m: MetricPattern6[StoredF32] = MetricPattern6(client, 'sortino_1m') - self.sortino_1w: MetricPattern6[StoredF32] = MetricPattern6(client, 'sortino_1w') - self.sortino_1y: MetricPattern6[StoredF32] = MetricPattern6(client, 'sortino_1y') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.price_1m_volatility: MetricPattern4[StoredF32] = MetricPattern4( + client, "price_1m_volatility" + ) + self.price_1w_volatility: MetricPattern4[StoredF32] = MetricPattern4( + client, "price_1w_volatility" + ) + self.price_1y_volatility: MetricPattern4[StoredF32] = MetricPattern4( + client, "price_1y_volatility" + ) + self.sharpe_1m: MetricPattern6[StoredF32] = MetricPattern6(client, "sharpe_1m") + self.sharpe_1w: MetricPattern6[StoredF32] = MetricPattern6(client, "sharpe_1w") + self.sharpe_1y: MetricPattern6[StoredF32] = MetricPattern6(client, "sharpe_1y") + self.sortino_1m: MetricPattern6[StoredF32] = MetricPattern6( + client, "sortino_1m" + ) + self.sortino_1w: MetricPattern6[StoredF32] = MetricPattern6( + client, "sortino_1w" + ) + self.sortino_1y: MetricPattern6[StoredF32] = MetricPattern6( + client, "sortino_1y" + ) + class MetricsTree_Market: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): + + def __init__(self, client: BrkClientBase, base_path: str = ""): self.ath: MetricsTree_Market_Ath = MetricsTree_Market_Ath(client) self.dca: MetricsTree_Market_Dca = MetricsTree_Market_Dca(client) - self.indicators: MetricsTree_Market_Indicators = MetricsTree_Market_Indicators(client) - self.lookback: MetricsTree_Market_Lookback = MetricsTree_Market_Lookback(client) - self.moving_average: MetricsTree_Market_MovingAverage = MetricsTree_Market_MovingAverage(client) + self.indicators: MetricsTree_Market_Indicators = MetricsTree_Market_Indicators( + client + ) + self.lookback: LookbackPattern[Dollars] = LookbackPattern(client, "price") + self.moving_average: MetricsTree_Market_MovingAverage = ( + MetricsTree_Market_MovingAverage(client) + ) self.range: MetricsTree_Market_Range = MetricsTree_Market_Range(client) self.returns: MetricsTree_Market_Returns = MetricsTree_Market_Returns(client) - self.volatility: MetricsTree_Market_Volatility = MetricsTree_Market_Volatility(client) + self.volatility: MetricsTree_Market_Volatility = MetricsTree_Market_Volatility( + client + ) + class MetricsTree_Outputs_Count: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.total_count: CountPattern2[StoredU64] = CountPattern2(client, 'output_count') - self.utxo_count: MetricPattern1[StoredU64] = MetricPattern1(client, 'exact_utxo_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.total_count: CountPattern2[StoredU64] = CountPattern2( + client, "output_count" + ) + self.utxo_count: MetricPattern1[StoredU64] = MetricPattern1( + client, "exact_utxo_count" + ) + class MetricsTree_Outputs_Spent: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.txinindex: MetricPattern15[TxInIndex] = MetricPattern15(client, 'txinindex') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.txinindex: MetricPattern15[TxInIndex] = MetricPattern15( + client, "txinindex" + ) + class MetricsTree_Outputs: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): + + def __init__(self, client: BrkClientBase, base_path: str = ""): self.count: MetricsTree_Outputs_Count = MetricsTree_Outputs_Count(client) - self.first_txoutindex: MetricPattern11[TxOutIndex] = MetricPattern11(client, 'first_txoutindex') - self.outputtype: MetricPattern15[OutputType] = MetricPattern15(client, 'outputtype') + self.first_txoutindex: MetricPattern11[TxOutIndex] = MetricPattern11( + client, "first_txoutindex" + ) + self.outputtype: MetricPattern15[OutputType] = MetricPattern15( + client, "outputtype" + ) self.spent: MetricsTree_Outputs_Spent = MetricsTree_Outputs_Spent(client) - self.txindex: MetricPattern15[TxIndex] = MetricPattern15(client, 'txindex') - self.typeindex: MetricPattern15[TypeIndex] = MetricPattern15(client, 'typeindex') - self.value: MetricPattern15[Sats] = MetricPattern15(client, 'value') + self.txindex: MetricPattern15[TxIndex] = MetricPattern15(client, "txindex") + self.typeindex: MetricPattern15[TypeIndex] = MetricPattern15( + client, "typeindex" + ) + self.value: MetricPattern15[Sats] = MetricPattern15(client, "value") + class MetricsTree_Pools_Vecs: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.aaopool: AaopoolPattern = AaopoolPattern(client, 'aaopool') - self.antpool: AaopoolPattern = AaopoolPattern(client, 'antpool') - self.arkpool: AaopoolPattern = AaopoolPattern(client, 'arkpool') - self.asicminer: AaopoolPattern = AaopoolPattern(client, 'asicminer') - self.axbt: AaopoolPattern = AaopoolPattern(client, 'axbt') - self.batpool: AaopoolPattern = AaopoolPattern(client, 'batpool') - self.bcmonster: AaopoolPattern = AaopoolPattern(client, 'bcmonster') - self.bcpoolio: AaopoolPattern = AaopoolPattern(client, 'bcpoolio') - self.binancepool: AaopoolPattern = AaopoolPattern(client, 'binancepool') - self.bitalo: AaopoolPattern = AaopoolPattern(client, 'bitalo') - self.bitclub: AaopoolPattern = AaopoolPattern(client, 'bitclub') - self.bitcoinaffiliatenetwork: AaopoolPattern = AaopoolPattern(client, 'bitcoinaffiliatenetwork') - self.bitcoincom: AaopoolPattern = AaopoolPattern(client, 'bitcoincom') - self.bitcoinindia: AaopoolPattern = AaopoolPattern(client, 'bitcoinindia') - self.bitcoinrussia: AaopoolPattern = AaopoolPattern(client, 'bitcoinrussia') - self.bitcoinukraine: AaopoolPattern = AaopoolPattern(client, 'bitcoinukraine') - self.bitfarms: AaopoolPattern = AaopoolPattern(client, 'bitfarms') - self.bitfufupool: AaopoolPattern = AaopoolPattern(client, 'bitfufupool') - self.bitfury: AaopoolPattern = AaopoolPattern(client, 'bitfury') - self.bitminter: AaopoolPattern = AaopoolPattern(client, 'bitminter') - self.bitparking: AaopoolPattern = AaopoolPattern(client, 'bitparking') - self.bitsolo: AaopoolPattern = AaopoolPattern(client, 'bitsolo') - self.bixin: AaopoolPattern = AaopoolPattern(client, 'bixin') - self.blockfills: AaopoolPattern = AaopoolPattern(client, 'blockfills') - self.braiinspool: AaopoolPattern = AaopoolPattern(client, 'braiinspool') - self.bravomining: AaopoolPattern = AaopoolPattern(client, 'bravomining') - self.btcc: AaopoolPattern = AaopoolPattern(client, 'btcc') - self.btccom: AaopoolPattern = AaopoolPattern(client, 'btccom') - self.btcdig: AaopoolPattern = AaopoolPattern(client, 'btcdig') - self.btcguild: AaopoolPattern = AaopoolPattern(client, 'btcguild') - self.btclab: AaopoolPattern = AaopoolPattern(client, 'btclab') - self.btcmp: AaopoolPattern = AaopoolPattern(client, 'btcmp') - self.btcnuggets: AaopoolPattern = AaopoolPattern(client, 'btcnuggets') - self.btcpoolparty: AaopoolPattern = AaopoolPattern(client, 'btcpoolparty') - self.btcserv: AaopoolPattern = AaopoolPattern(client, 'btcserv') - self.btctop: AaopoolPattern = AaopoolPattern(client, 'btctop') - self.btpool: AaopoolPattern = AaopoolPattern(client, 'btpool') - self.bwpool: AaopoolPattern = AaopoolPattern(client, 'bwpool') - self.bytepool: AaopoolPattern = AaopoolPattern(client, 'bytepool') - self.canoe: AaopoolPattern = AaopoolPattern(client, 'canoe') - self.canoepool: AaopoolPattern = AaopoolPattern(client, 'canoepool') - self.carbonnegative: AaopoolPattern = AaopoolPattern(client, 'carbonnegative') - self.ckpool: AaopoolPattern = AaopoolPattern(client, 'ckpool') - self.cloudhashing: AaopoolPattern = AaopoolPattern(client, 'cloudhashing') - self.coinlab: AaopoolPattern = AaopoolPattern(client, 'coinlab') - self.cointerra: AaopoolPattern = AaopoolPattern(client, 'cointerra') - self.connectbtc: AaopoolPattern = AaopoolPattern(client, 'connectbtc') - self.dcex: AaopoolPattern = AaopoolPattern(client, 'dcex') - self.dcexploration: AaopoolPattern = AaopoolPattern(client, 'dcexploration') - self.digitalbtc: AaopoolPattern = AaopoolPattern(client, 'digitalbtc') - self.digitalxmintsy: AaopoolPattern = AaopoolPattern(client, 'digitalxmintsy') - self.dpool: AaopoolPattern = AaopoolPattern(client, 'dpool') - self.eclipsemc: AaopoolPattern = AaopoolPattern(client, 'eclipsemc') - self.eightbaochi: AaopoolPattern = AaopoolPattern(client, 'eightbaochi') - self.ekanembtc: AaopoolPattern = AaopoolPattern(client, 'ekanembtc') - self.eligius: AaopoolPattern = AaopoolPattern(client, 'eligius') - self.emcdpool: AaopoolPattern = AaopoolPattern(client, 'emcdpool') - self.entrustcharitypool: AaopoolPattern = AaopoolPattern(client, 'entrustcharitypool') - self.eobot: AaopoolPattern = AaopoolPattern(client, 'eobot') - self.exxbw: AaopoolPattern = AaopoolPattern(client, 'exxbw') - self.f2pool: AaopoolPattern = AaopoolPattern(client, 'f2pool') - self.fiftyeightcoin: AaopoolPattern = AaopoolPattern(client, 'fiftyeightcoin') - self.foundryusa: AaopoolPattern = AaopoolPattern(client, 'foundryusa') - self.futurebitapollosolo: AaopoolPattern = AaopoolPattern(client, 'futurebitapollosolo') - self.gbminers: AaopoolPattern = AaopoolPattern(client, 'gbminers') - self.ghashio: AaopoolPattern = AaopoolPattern(client, 'ghashio') - self.givemecoins: AaopoolPattern = AaopoolPattern(client, 'givemecoins') - self.gogreenlight: AaopoolPattern = AaopoolPattern(client, 'gogreenlight') - self.haominer: AaopoolPattern = AaopoolPattern(client, 'haominer') - self.haozhuzhu: AaopoolPattern = AaopoolPattern(client, 'haozhuzhu') - self.hashbx: AaopoolPattern = AaopoolPattern(client, 'hashbx') - self.hashpool: AaopoolPattern = AaopoolPattern(client, 'hashpool') - self.helix: AaopoolPattern = AaopoolPattern(client, 'helix') - self.hhtt: AaopoolPattern = AaopoolPattern(client, 'hhtt') - self.hotpool: AaopoolPattern = AaopoolPattern(client, 'hotpool') - self.hummerpool: AaopoolPattern = AaopoolPattern(client, 'hummerpool') - self.huobipool: AaopoolPattern = AaopoolPattern(client, 'huobipool') - self.innopolistech: AaopoolPattern = AaopoolPattern(client, 'innopolistech') - self.kanopool: AaopoolPattern = AaopoolPattern(client, 'kanopool') - self.kncminer: AaopoolPattern = AaopoolPattern(client, 'kncminer') - self.kucoinpool: AaopoolPattern = AaopoolPattern(client, 'kucoinpool') - self.lubiancom: AaopoolPattern = AaopoolPattern(client, 'lubiancom') - self.luckypool: AaopoolPattern = AaopoolPattern(client, 'luckypool') - self.luxor: AaopoolPattern = AaopoolPattern(client, 'luxor') - self.marapool: AaopoolPattern = AaopoolPattern(client, 'marapool') - self.maxbtc: AaopoolPattern = AaopoolPattern(client, 'maxbtc') - self.maxipool: AaopoolPattern = AaopoolPattern(client, 'maxipool') - self.megabigpower: AaopoolPattern = AaopoolPattern(client, 'megabigpower') - self.minerium: AaopoolPattern = AaopoolPattern(client, 'minerium') - self.miningcity: AaopoolPattern = AaopoolPattern(client, 'miningcity') - self.miningdutch: AaopoolPattern = AaopoolPattern(client, 'miningdutch') - self.miningkings: AaopoolPattern = AaopoolPattern(client, 'miningkings') - self.miningsquared: AaopoolPattern = AaopoolPattern(client, 'miningsquared') - self.mmpool: AaopoolPattern = AaopoolPattern(client, 'mmpool') - self.mtred: AaopoolPattern = AaopoolPattern(client, 'mtred') - self.multicoinco: AaopoolPattern = AaopoolPattern(client, 'multicoinco') - self.multipool: AaopoolPattern = AaopoolPattern(client, 'multipool') - self.mybtccoinpool: AaopoolPattern = AaopoolPattern(client, 'mybtccoinpool') - self.neopool: AaopoolPattern = AaopoolPattern(client, 'neopool') - self.nexious: AaopoolPattern = AaopoolPattern(client, 'nexious') - self.nicehash: AaopoolPattern = AaopoolPattern(client, 'nicehash') - self.nmcbit: AaopoolPattern = AaopoolPattern(client, 'nmcbit') - self.novablock: AaopoolPattern = AaopoolPattern(client, 'novablock') - self.ocean: AaopoolPattern = AaopoolPattern(client, 'ocean') - self.okexpool: AaopoolPattern = AaopoolPattern(client, 'okexpool') - self.okkong: AaopoolPattern = AaopoolPattern(client, 'okkong') - self.okminer: AaopoolPattern = AaopoolPattern(client, 'okminer') - self.okpooltop: AaopoolPattern = AaopoolPattern(client, 'okpooltop') - self.onehash: AaopoolPattern = AaopoolPattern(client, 'onehash') - self.onem1x: AaopoolPattern = AaopoolPattern(client, 'onem1x') - self.onethash: AaopoolPattern = AaopoolPattern(client, 'onethash') - self.ozcoin: AaopoolPattern = AaopoolPattern(client, 'ozcoin') - self.parasite: AaopoolPattern = AaopoolPattern(client, 'parasite') - self.patels: AaopoolPattern = AaopoolPattern(client, 'patels') - self.pegapool: AaopoolPattern = AaopoolPattern(client, 'pegapool') - self.phashio: AaopoolPattern = AaopoolPattern(client, 'phashio') - self.phoenix: AaopoolPattern = AaopoolPattern(client, 'phoenix') - self.polmine: AaopoolPattern = AaopoolPattern(client, 'polmine') - self.pool175btc: AaopoolPattern = AaopoolPattern(client, 'pool175btc') - self.pool50btc: AaopoolPattern = AaopoolPattern(client, 'pool50btc') - self.poolin: AaopoolPattern = AaopoolPattern(client, 'poolin') - self.portlandhodl: AaopoolPattern = AaopoolPattern(client, 'portlandhodl') - self.publicpool: AaopoolPattern = AaopoolPattern(client, 'publicpool') - self.purebtccom: AaopoolPattern = AaopoolPattern(client, 'purebtccom') - self.rawpool: AaopoolPattern = AaopoolPattern(client, 'rawpool') - self.rigpool: AaopoolPattern = AaopoolPattern(client, 'rigpool') - self.sbicrypto: AaopoolPattern = AaopoolPattern(client, 'sbicrypto') - self.secpool: AaopoolPattern = AaopoolPattern(client, 'secpool') - self.secretsuperstar: AaopoolPattern = AaopoolPattern(client, 'secretsuperstar') - self.sevenpool: AaopoolPattern = AaopoolPattern(client, 'sevenpool') - self.shawnp0wers: AaopoolPattern = AaopoolPattern(client, 'shawnp0wers') - self.sigmapoolcom: AaopoolPattern = AaopoolPattern(client, 'sigmapoolcom') - self.simplecoinus: AaopoolPattern = AaopoolPattern(client, 'simplecoinus') - self.solock: AaopoolPattern = AaopoolPattern(client, 'solock') - self.spiderpool: AaopoolPattern = AaopoolPattern(client, 'spiderpool') - self.stminingcorp: AaopoolPattern = AaopoolPattern(client, 'stminingcorp') - self.tangpool: AaopoolPattern = AaopoolPattern(client, 'tangpool') - self.tatmaspool: AaopoolPattern = AaopoolPattern(client, 'tatmaspool') - self.tbdice: AaopoolPattern = AaopoolPattern(client, 'tbdice') - self.telco214: AaopoolPattern = AaopoolPattern(client, 'telco214') - self.terrapool: AaopoolPattern = AaopoolPattern(client, 'terrapool') - self.tiger: AaopoolPattern = AaopoolPattern(client, 'tiger') - self.tigerpoolnet: AaopoolPattern = AaopoolPattern(client, 'tigerpoolnet') - self.titan: AaopoolPattern = AaopoolPattern(client, 'titan') - self.transactioncoinmining: AaopoolPattern = AaopoolPattern(client, 'transactioncoinmining') - self.trickysbtcpool: AaopoolPattern = AaopoolPattern(client, 'trickysbtcpool') - self.triplemining: AaopoolPattern = AaopoolPattern(client, 'triplemining') - self.twentyoneinc: AaopoolPattern = AaopoolPattern(client, 'twentyoneinc') - self.ultimuspool: AaopoolPattern = AaopoolPattern(client, 'ultimuspool') - self.unknown: AaopoolPattern = AaopoolPattern(client, 'unknown') - self.unomp: AaopoolPattern = AaopoolPattern(client, 'unomp') - self.viabtc: AaopoolPattern = AaopoolPattern(client, 'viabtc') - self.waterhole: AaopoolPattern = AaopoolPattern(client, 'waterhole') - self.wayicn: AaopoolPattern = AaopoolPattern(client, 'wayicn') - self.whitepool: AaopoolPattern = AaopoolPattern(client, 'whitepool') - self.wk057: AaopoolPattern = AaopoolPattern(client, 'wk057') - self.yourbtcnet: AaopoolPattern = AaopoolPattern(client, 'yourbtcnet') - self.zulupool: AaopoolPattern = AaopoolPattern(client, 'zulupool') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.aaopool: AaopoolPattern = AaopoolPattern(client, "aaopool") + self.antpool: AaopoolPattern = AaopoolPattern(client, "antpool") + self.arkpool: AaopoolPattern = AaopoolPattern(client, "arkpool") + self.asicminer: AaopoolPattern = AaopoolPattern(client, "asicminer") + self.axbt: AaopoolPattern = AaopoolPattern(client, "axbt") + self.batpool: AaopoolPattern = AaopoolPattern(client, "batpool") + self.bcmonster: AaopoolPattern = AaopoolPattern(client, "bcmonster") + self.bcpoolio: AaopoolPattern = AaopoolPattern(client, "bcpoolio") + self.binancepool: AaopoolPattern = AaopoolPattern(client, "binancepool") + self.bitalo: AaopoolPattern = AaopoolPattern(client, "bitalo") + self.bitclub: AaopoolPattern = AaopoolPattern(client, "bitclub") + self.bitcoinaffiliatenetwork: AaopoolPattern = AaopoolPattern( + client, "bitcoinaffiliatenetwork" + ) + self.bitcoincom: AaopoolPattern = AaopoolPattern(client, "bitcoincom") + self.bitcoinindia: AaopoolPattern = AaopoolPattern(client, "bitcoinindia") + self.bitcoinrussia: AaopoolPattern = AaopoolPattern(client, "bitcoinrussia") + self.bitcoinukraine: AaopoolPattern = AaopoolPattern(client, "bitcoinukraine") + self.bitfarms: AaopoolPattern = AaopoolPattern(client, "bitfarms") + self.bitfufupool: AaopoolPattern = AaopoolPattern(client, "bitfufupool") + self.bitfury: AaopoolPattern = AaopoolPattern(client, "bitfury") + self.bitminter: AaopoolPattern = AaopoolPattern(client, "bitminter") + self.bitparking: AaopoolPattern = AaopoolPattern(client, "bitparking") + self.bitsolo: AaopoolPattern = AaopoolPattern(client, "bitsolo") + self.bixin: AaopoolPattern = AaopoolPattern(client, "bixin") + self.blockfills: AaopoolPattern = AaopoolPattern(client, "blockfills") + self.braiinspool: AaopoolPattern = AaopoolPattern(client, "braiinspool") + self.bravomining: AaopoolPattern = AaopoolPattern(client, "bravomining") + self.btcc: AaopoolPattern = AaopoolPattern(client, "btcc") + self.btccom: AaopoolPattern = AaopoolPattern(client, "btccom") + self.btcdig: AaopoolPattern = AaopoolPattern(client, "btcdig") + self.btcguild: AaopoolPattern = AaopoolPattern(client, "btcguild") + self.btclab: AaopoolPattern = AaopoolPattern(client, "btclab") + self.btcmp: AaopoolPattern = AaopoolPattern(client, "btcmp") + self.btcnuggets: AaopoolPattern = AaopoolPattern(client, "btcnuggets") + self.btcpoolparty: AaopoolPattern = AaopoolPattern(client, "btcpoolparty") + self.btcserv: AaopoolPattern = AaopoolPattern(client, "btcserv") + self.btctop: AaopoolPattern = AaopoolPattern(client, "btctop") + self.btpool: AaopoolPattern = AaopoolPattern(client, "btpool") + self.bwpool: AaopoolPattern = AaopoolPattern(client, "bwpool") + self.bytepool: AaopoolPattern = AaopoolPattern(client, "bytepool") + self.canoe: AaopoolPattern = AaopoolPattern(client, "canoe") + self.canoepool: AaopoolPattern = AaopoolPattern(client, "canoepool") + self.carbonnegative: AaopoolPattern = AaopoolPattern(client, "carbonnegative") + self.ckpool: AaopoolPattern = AaopoolPattern(client, "ckpool") + self.cloudhashing: AaopoolPattern = AaopoolPattern(client, "cloudhashing") + self.coinlab: AaopoolPattern = AaopoolPattern(client, "coinlab") + self.cointerra: AaopoolPattern = AaopoolPattern(client, "cointerra") + self.connectbtc: AaopoolPattern = AaopoolPattern(client, "connectbtc") + self.dcex: AaopoolPattern = AaopoolPattern(client, "dcex") + self.dcexploration: AaopoolPattern = AaopoolPattern(client, "dcexploration") + self.digitalbtc: AaopoolPattern = AaopoolPattern(client, "digitalbtc") + self.digitalxmintsy: AaopoolPattern = AaopoolPattern(client, "digitalxmintsy") + self.dpool: AaopoolPattern = AaopoolPattern(client, "dpool") + self.eclipsemc: AaopoolPattern = AaopoolPattern(client, "eclipsemc") + self.eightbaochi: AaopoolPattern = AaopoolPattern(client, "eightbaochi") + self.ekanembtc: AaopoolPattern = AaopoolPattern(client, "ekanembtc") + self.eligius: AaopoolPattern = AaopoolPattern(client, "eligius") + self.emcdpool: AaopoolPattern = AaopoolPattern(client, "emcdpool") + self.entrustcharitypool: AaopoolPattern = AaopoolPattern( + client, "entrustcharitypool" + ) + self.eobot: AaopoolPattern = AaopoolPattern(client, "eobot") + self.exxbw: AaopoolPattern = AaopoolPattern(client, "exxbw") + self.f2pool: AaopoolPattern = AaopoolPattern(client, "f2pool") + self.fiftyeightcoin: AaopoolPattern = AaopoolPattern(client, "fiftyeightcoin") + self.foundryusa: AaopoolPattern = AaopoolPattern(client, "foundryusa") + self.futurebitapollosolo: AaopoolPattern = AaopoolPattern( + client, "futurebitapollosolo" + ) + self.gbminers: AaopoolPattern = AaopoolPattern(client, "gbminers") + self.ghashio: AaopoolPattern = AaopoolPattern(client, "ghashio") + self.givemecoins: AaopoolPattern = AaopoolPattern(client, "givemecoins") + self.gogreenlight: AaopoolPattern = AaopoolPattern(client, "gogreenlight") + self.haominer: AaopoolPattern = AaopoolPattern(client, "haominer") + self.haozhuzhu: AaopoolPattern = AaopoolPattern(client, "haozhuzhu") + self.hashbx: AaopoolPattern = AaopoolPattern(client, "hashbx") + self.hashpool: AaopoolPattern = AaopoolPattern(client, "hashpool") + self.helix: AaopoolPattern = AaopoolPattern(client, "helix") + self.hhtt: AaopoolPattern = AaopoolPattern(client, "hhtt") + self.hotpool: AaopoolPattern = AaopoolPattern(client, "hotpool") + self.hummerpool: AaopoolPattern = AaopoolPattern(client, "hummerpool") + self.huobipool: AaopoolPattern = AaopoolPattern(client, "huobipool") + self.innopolistech: AaopoolPattern = AaopoolPattern(client, "innopolistech") + self.kanopool: AaopoolPattern = AaopoolPattern(client, "kanopool") + self.kncminer: AaopoolPattern = AaopoolPattern(client, "kncminer") + self.kucoinpool: AaopoolPattern = AaopoolPattern(client, "kucoinpool") + self.lubiancom: AaopoolPattern = AaopoolPattern(client, "lubiancom") + self.luckypool: AaopoolPattern = AaopoolPattern(client, "luckypool") + self.luxor: AaopoolPattern = AaopoolPattern(client, "luxor") + self.marapool: AaopoolPattern = AaopoolPattern(client, "marapool") + self.maxbtc: AaopoolPattern = AaopoolPattern(client, "maxbtc") + self.maxipool: AaopoolPattern = AaopoolPattern(client, "maxipool") + self.megabigpower: AaopoolPattern = AaopoolPattern(client, "megabigpower") + self.minerium: AaopoolPattern = AaopoolPattern(client, "minerium") + self.miningcity: AaopoolPattern = AaopoolPattern(client, "miningcity") + self.miningdutch: AaopoolPattern = AaopoolPattern(client, "miningdutch") + self.miningkings: AaopoolPattern = AaopoolPattern(client, "miningkings") + self.miningsquared: AaopoolPattern = AaopoolPattern(client, "miningsquared") + self.mmpool: AaopoolPattern = AaopoolPattern(client, "mmpool") + self.mtred: AaopoolPattern = AaopoolPattern(client, "mtred") + self.multicoinco: AaopoolPattern = AaopoolPattern(client, "multicoinco") + self.multipool: AaopoolPattern = AaopoolPattern(client, "multipool") + self.mybtccoinpool: AaopoolPattern = AaopoolPattern(client, "mybtccoinpool") + self.neopool: AaopoolPattern = AaopoolPattern(client, "neopool") + self.nexious: AaopoolPattern = AaopoolPattern(client, "nexious") + self.nicehash: AaopoolPattern = AaopoolPattern(client, "nicehash") + self.nmcbit: AaopoolPattern = AaopoolPattern(client, "nmcbit") + self.novablock: AaopoolPattern = AaopoolPattern(client, "novablock") + self.ocean: AaopoolPattern = AaopoolPattern(client, "ocean") + self.okexpool: AaopoolPattern = AaopoolPattern(client, "okexpool") + self.okkong: AaopoolPattern = AaopoolPattern(client, "okkong") + self.okminer: AaopoolPattern = AaopoolPattern(client, "okminer") + self.okpooltop: AaopoolPattern = AaopoolPattern(client, "okpooltop") + self.onehash: AaopoolPattern = AaopoolPattern(client, "onehash") + self.onem1x: AaopoolPattern = AaopoolPattern(client, "onem1x") + self.onethash: AaopoolPattern = AaopoolPattern(client, "onethash") + self.ozcoin: AaopoolPattern = AaopoolPattern(client, "ozcoin") + self.parasite: AaopoolPattern = AaopoolPattern(client, "parasite") + self.patels: AaopoolPattern = AaopoolPattern(client, "patels") + self.pegapool: AaopoolPattern = AaopoolPattern(client, "pegapool") + self.phashio: AaopoolPattern = AaopoolPattern(client, "phashio") + self.phoenix: AaopoolPattern = AaopoolPattern(client, "phoenix") + self.polmine: AaopoolPattern = AaopoolPattern(client, "polmine") + self.pool175btc: AaopoolPattern = AaopoolPattern(client, "pool175btc") + self.pool50btc: AaopoolPattern = AaopoolPattern(client, "pool50btc") + self.poolin: AaopoolPattern = AaopoolPattern(client, "poolin") + self.portlandhodl: AaopoolPattern = AaopoolPattern(client, "portlandhodl") + self.publicpool: AaopoolPattern = AaopoolPattern(client, "publicpool") + self.purebtccom: AaopoolPattern = AaopoolPattern(client, "purebtccom") + self.rawpool: AaopoolPattern = AaopoolPattern(client, "rawpool") + self.rigpool: AaopoolPattern = AaopoolPattern(client, "rigpool") + self.sbicrypto: AaopoolPattern = AaopoolPattern(client, "sbicrypto") + self.secpool: AaopoolPattern = AaopoolPattern(client, "secpool") + self.secretsuperstar: AaopoolPattern = AaopoolPattern(client, "secretsuperstar") + self.sevenpool: AaopoolPattern = AaopoolPattern(client, "sevenpool") + self.shawnp0wers: AaopoolPattern = AaopoolPattern(client, "shawnp0wers") + self.sigmapoolcom: AaopoolPattern = AaopoolPattern(client, "sigmapoolcom") + self.simplecoinus: AaopoolPattern = AaopoolPattern(client, "simplecoinus") + self.solock: AaopoolPattern = AaopoolPattern(client, "solock") + self.spiderpool: AaopoolPattern = AaopoolPattern(client, "spiderpool") + self.stminingcorp: AaopoolPattern = AaopoolPattern(client, "stminingcorp") + self.tangpool: AaopoolPattern = AaopoolPattern(client, "tangpool") + self.tatmaspool: AaopoolPattern = AaopoolPattern(client, "tatmaspool") + self.tbdice: AaopoolPattern = AaopoolPattern(client, "tbdice") + self.telco214: AaopoolPattern = AaopoolPattern(client, "telco214") + self.terrapool: AaopoolPattern = AaopoolPattern(client, "terrapool") + self.tiger: AaopoolPattern = AaopoolPattern(client, "tiger") + self.tigerpoolnet: AaopoolPattern = AaopoolPattern(client, "tigerpoolnet") + self.titan: AaopoolPattern = AaopoolPattern(client, "titan") + self.transactioncoinmining: AaopoolPattern = AaopoolPattern( + client, "transactioncoinmining" + ) + self.trickysbtcpool: AaopoolPattern = AaopoolPattern(client, "trickysbtcpool") + self.triplemining: AaopoolPattern = AaopoolPattern(client, "triplemining") + self.twentyoneinc: AaopoolPattern = AaopoolPattern(client, "twentyoneinc") + self.ultimuspool: AaopoolPattern = AaopoolPattern(client, "ultimuspool") + self.unknown: AaopoolPattern = AaopoolPattern(client, "unknown") + self.unomp: AaopoolPattern = AaopoolPattern(client, "unomp") + self.viabtc: AaopoolPattern = AaopoolPattern(client, "viabtc") + self.waterhole: AaopoolPattern = AaopoolPattern(client, "waterhole") + self.wayicn: AaopoolPattern = AaopoolPattern(client, "wayicn") + self.whitepool: AaopoolPattern = AaopoolPattern(client, "whitepool") + self.wk057: AaopoolPattern = AaopoolPattern(client, "wk057") + self.yourbtcnet: AaopoolPattern = AaopoolPattern(client, "yourbtcnet") + self.zulupool: AaopoolPattern = AaopoolPattern(client, "zulupool") + class MetricsTree_Pools: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.height_to_pool: MetricPattern11[PoolSlug] = MetricPattern11(client, 'pool') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.height_to_pool: MetricPattern11[PoolSlug] = MetricPattern11(client, "pool") self.vecs: MetricsTree_Pools_Vecs = MetricsTree_Pools_Vecs(client) + class MetricsTree_Positions: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.block_position: MetricPattern11[BlkPosition] = MetricPattern11(client, 'position') - self.tx_position: MetricPattern27[BlkPosition] = MetricPattern27(client, 'position') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.block_position: MetricPattern11[BlkPosition] = MetricPattern11( + client, "position" + ) + self.tx_position: MetricPattern27[BlkPosition] = MetricPattern27( + client, "position" + ) + class MetricsTree_Price_Cents_Split: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.close: MetricPattern5[Cents] = MetricPattern5(client, 'price_close_cents') - self.high: MetricPattern5[Cents] = MetricPattern5(client, 'price_high_cents') - self.low: MetricPattern5[Cents] = MetricPattern5(client, 'price_low_cents') - self.open: MetricPattern5[Cents] = MetricPattern5(client, 'price_open_cents') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.close: MetricPattern5[Cents] = MetricPattern5(client, "price_close_cents") + self.high: MetricPattern5[Cents] = MetricPattern5(client, "price_high_cents") + self.low: MetricPattern5[Cents] = MetricPattern5(client, "price_low_cents") + self.open: MetricPattern5[Cents] = MetricPattern5(client, "price_open_cents") + class MetricsTree_Price_Cents: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.ohlc: MetricPattern5[OHLCCents] = MetricPattern5(client, 'ohlc_cents') - self.split: MetricsTree_Price_Cents_Split = MetricsTree_Price_Cents_Split(client) + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.ohlc: MetricPattern5[OHLCCents] = MetricPattern5(client, "ohlc_cents") + self.split: MetricsTree_Price_Cents_Split = MetricsTree_Price_Cents_Split( + client + ) + class MetricsTree_Price_Oracle: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.ohlc_cents: MetricPattern6[OHLCCents] = MetricPattern6(client, 'oracle_ohlc_cents') - self.ohlc_dollars: MetricPattern6[OHLCDollars] = MetricPattern6(client, 'oracle_ohlc_dollars') - self.price_cents: MetricPattern11[Cents] = MetricPattern11(client, 'orange_price_cents') - self.tx_count: MetricPattern6[StoredU32] = MetricPattern6(client, 'oracle_tx_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.ohlc_cents: MetricPattern6[OHLCCents] = MetricPattern6( + client, "oracle_ohlc_cents" + ) + self.ohlc_dollars: MetricPattern6[OHLCDollars] = MetricPattern6( + client, "oracle_ohlc" + ) + self.price_cents: MetricPattern11[Cents] = MetricPattern11( + client, "orange_price_cents" + ) + self.tx_count: MetricPattern6[StoredU32] = MetricPattern6( + client, "oracle_tx_count" + ) + class MetricsTree_Price: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): + + def __init__(self, client: BrkClientBase, base_path: str = ""): self.cents: MetricsTree_Price_Cents = MetricsTree_Price_Cents(client) self.oracle: MetricsTree_Price_Oracle = MetricsTree_Price_Oracle(client) - self.sats: SatsPattern[OHLCSats] = SatsPattern(client, 'price') - self.usd: SatsPattern[OHLCDollars] = SatsPattern(client, 'price') + self.sats: SatsPattern[OHLCSats] = SatsPattern(client, "price") + self.usd: SatsPattern[OHLCDollars] = SatsPattern(client, "price") + class MetricsTree_Scripts_Count: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.emptyoutput: DollarsPattern[StoredU64] = DollarsPattern(client, 'emptyoutput_count') - self.opreturn: DollarsPattern[StoredU64] = DollarsPattern(client, 'opreturn_count') - self.p2a: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2a_count') - self.p2ms: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2ms_count') - self.p2pk33: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2pk33_count') - self.p2pk65: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2pk65_count') - self.p2pkh: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2pkh_count') - self.p2sh: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2sh_count') - self.p2tr: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2tr_count') - self.p2wpkh: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2wpkh_count') - self.p2wsh: DollarsPattern[StoredU64] = DollarsPattern(client, 'p2wsh_count') - self.segwit: DollarsPattern[StoredU64] = DollarsPattern(client, 'segwit_count') - self.segwit_adoption: SegwitAdoptionPattern = SegwitAdoptionPattern(client, 'segwit_adoption') - self.taproot_adoption: SegwitAdoptionPattern = SegwitAdoptionPattern(client, 'taproot_adoption') - self.unknownoutput: DollarsPattern[StoredU64] = DollarsPattern(client, 'unknownoutput_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.emptyoutput: DollarsPattern[StoredU64] = DollarsPattern( + client, "emptyoutput_count" + ) + self.opreturn: DollarsPattern[StoredU64] = DollarsPattern( + client, "opreturn_count" + ) + self.p2a: DollarsPattern[StoredU64] = DollarsPattern(client, "p2a_count") + self.p2ms: DollarsPattern[StoredU64] = DollarsPattern(client, "p2ms_count") + self.p2pk33: DollarsPattern[StoredU64] = DollarsPattern(client, "p2pk33_count") + self.p2pk65: DollarsPattern[StoredU64] = DollarsPattern(client, "p2pk65_count") + self.p2pkh: DollarsPattern[StoredU64] = DollarsPattern(client, "p2pkh_count") + self.p2sh: DollarsPattern[StoredU64] = DollarsPattern(client, "p2sh_count") + self.p2tr: DollarsPattern[StoredU64] = DollarsPattern(client, "p2tr_count") + self.p2wpkh: DollarsPattern[StoredU64] = DollarsPattern(client, "p2wpkh_count") + self.p2wsh: DollarsPattern[StoredU64] = DollarsPattern(client, "p2wsh_count") + self.segwit: DollarsPattern[StoredU64] = DollarsPattern(client, "segwit_count") + self.segwit_adoption: SegwitAdoptionPattern = SegwitAdoptionPattern( + client, "segwit_adoption" + ) + self.taproot_adoption: SegwitAdoptionPattern = SegwitAdoptionPattern( + client, "taproot_adoption" + ) + self.unknownoutput: DollarsPattern[StoredU64] = DollarsPattern( + client, "unknownoutput_count" + ) + class MetricsTree_Scripts_Value: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.opreturn: CoinbasePattern = CoinbasePattern(client, 'opreturn_value') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.opreturn: CoinbasePattern = CoinbasePattern(client, "opreturn_value") + class MetricsTree_Scripts: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): + + def __init__(self, client: BrkClientBase, base_path: str = ""): self.count: MetricsTree_Scripts_Count = MetricsTree_Scripts_Count(client) - self.empty_to_txindex: MetricPattern9[TxIndex] = MetricPattern9(client, 'txindex') - self.first_emptyoutputindex: MetricPattern11[EmptyOutputIndex] = MetricPattern11(client, 'first_emptyoutputindex') - self.first_opreturnindex: MetricPattern11[OpReturnIndex] = MetricPattern11(client, 'first_opreturnindex') - self.first_p2msoutputindex: MetricPattern11[P2MSOutputIndex] = MetricPattern11(client, 'first_p2msoutputindex') - self.first_unknownoutputindex: MetricPattern11[UnknownOutputIndex] = MetricPattern11(client, 'first_unknownoutputindex') - self.opreturn_to_txindex: MetricPattern14[TxIndex] = MetricPattern14(client, 'txindex') - self.p2ms_to_txindex: MetricPattern17[TxIndex] = MetricPattern17(client, 'txindex') - self.unknown_to_txindex: MetricPattern28[TxIndex] = MetricPattern28(client, 'txindex') + self.empty_to_txindex: MetricPattern9[TxIndex] = MetricPattern9( + client, "txindex" + ) + self.first_emptyoutputindex: MetricPattern11[EmptyOutputIndex] = ( + MetricPattern11(client, "first_emptyoutputindex") + ) + self.first_opreturnindex: MetricPattern11[OpReturnIndex] = MetricPattern11( + client, "first_opreturnindex" + ) + self.first_p2msoutputindex: MetricPattern11[P2MSOutputIndex] = MetricPattern11( + client, "first_p2msoutputindex" + ) + self.first_unknownoutputindex: MetricPattern11[UnknownOutputIndex] = ( + MetricPattern11(client, "first_unknownoutputindex") + ) + self.opreturn_to_txindex: MetricPattern14[TxIndex] = MetricPattern14( + client, "txindex" + ) + self.p2ms_to_txindex: MetricPattern17[TxIndex] = MetricPattern17( + client, "txindex" + ) + self.unknown_to_txindex: MetricPattern28[TxIndex] = MetricPattern28( + client, "txindex" + ) self.value: MetricsTree_Scripts_Value = MetricsTree_Scripts_Value(client) + class MetricsTree_Supply_Burned: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.opreturn: UnclaimedRewardsPattern = UnclaimedRewardsPattern(client, 'opreturn_supply') - self.unspendable: UnclaimedRewardsPattern = UnclaimedRewardsPattern(client, 'unspendable_supply') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.opreturn: UnclaimedRewardsPattern = UnclaimedRewardsPattern( + client, "opreturn_supply" + ) + self.unspendable: UnclaimedRewardsPattern = UnclaimedRewardsPattern( + client, "unspendable_supply" + ) + class MetricsTree_Supply_Circulating: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.bitcoin: MetricPattern3[Bitcoin] = MetricPattern3(client, 'circulating_supply_btc') - self.dollars: MetricPattern3[Dollars] = MetricPattern3(client, 'circulating_supply_usd') - self.sats: MetricPattern3[Sats] = MetricPattern3(client, 'circulating_supply') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.bitcoin: MetricPattern3[Bitcoin] = MetricPattern3( + client, "circulating_supply_btc" + ) + self.dollars: MetricPattern3[Dollars] = MetricPattern3( + client, "circulating_supply_usd" + ) + self.sats: MetricPattern3[Sats] = MetricPattern3(client, "circulating_supply") + class MetricsTree_Supply_Velocity: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.btc: MetricPattern4[StoredF64] = MetricPattern4(client, 'btc_velocity') - self.usd: MetricPattern4[StoredF64] = MetricPattern4(client, 'usd_velocity') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.btc: MetricPattern4[StoredF64] = MetricPattern4(client, "btc_velocity") + self.usd: MetricPattern4[StoredF64] = MetricPattern4(client, "usd_velocity") + class MetricsTree_Supply: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): + + def __init__(self, client: BrkClientBase, base_path: str = ""): self.burned: MetricsTree_Supply_Burned = MetricsTree_Supply_Burned(client) - self.circulating: MetricsTree_Supply_Circulating = MetricsTree_Supply_Circulating(client) - self.inflation: MetricPattern4[StoredF32] = MetricPattern4(client, 'inflation_rate') - self.market_cap: MetricPattern1[Dollars] = MetricPattern1(client, 'market_cap') + self.circulating: MetricsTree_Supply_Circulating = ( + MetricsTree_Supply_Circulating(client) + ) + self.inflation: MetricPattern4[StoredF32] = MetricPattern4( + client, "inflation_rate" + ) + self.market_cap: MetricPattern1[Dollars] = MetricPattern1(client, "market_cap") self.velocity: MetricsTree_Supply_Velocity = MetricsTree_Supply_Velocity(client) + class MetricsTree_Transactions_Count: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.is_coinbase: MetricPattern27[StoredBool] = MetricPattern27(client, 'is_coinbase') - self.tx_count: DollarsPattern[StoredU64] = DollarsPattern(client, 'tx_count') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.is_coinbase: MetricPattern27[StoredBool] = MetricPattern27( + client, "is_coinbase" + ) + self.tx_count: DollarsPattern[StoredU64] = DollarsPattern(client, "tx_count") + class MetricsTree_Transactions_Fees_Fee_Dollars: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.average: MetricPattern1[Dollars] = MetricPattern1(client, 'fee_usd_average') - self.cumulative: MetricPattern2[Dollars] = MetricPattern2(client, 'fee_usd_cumulative') - self.height_cumulative: MetricPattern11[Dollars] = MetricPattern11(client, 'fee_usd_cumulative') - self.max: MetricPattern1[Dollars] = MetricPattern1(client, 'fee_usd_max') - self.median: MetricPattern11[Dollars] = MetricPattern11(client, 'fee_usd_median') - self.min: MetricPattern1[Dollars] = MetricPattern1(client, 'fee_usd_min') - self.pct10: MetricPattern11[Dollars] = MetricPattern11(client, 'fee_usd_pct10') - self.pct25: MetricPattern11[Dollars] = MetricPattern11(client, 'fee_usd_pct25') - self.pct75: MetricPattern11[Dollars] = MetricPattern11(client, 'fee_usd_pct75') - self.pct90: MetricPattern11[Dollars] = MetricPattern11(client, 'fee_usd_pct90') - self.sum: MetricPattern1[Dollars] = MetricPattern1(client, 'fee_usd_sum') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.average: MetricPattern1[Dollars] = MetricPattern1( + client, "fee_usd_average" + ) + self.cumulative: MetricPattern2[Dollars] = MetricPattern2( + client, "fee_usd_cumulative" + ) + self.height_cumulative: MetricPattern11[Dollars] = MetricPattern11( + client, "fee_usd_cumulative" + ) + self.max: MetricPattern1[Dollars] = MetricPattern1(client, "fee_usd_max") + self.median: MetricPattern11[Dollars] = MetricPattern11( + client, "fee_usd_median" + ) + self.min: MetricPattern1[Dollars] = MetricPattern1(client, "fee_usd_min") + self.pct10: MetricPattern11[Dollars] = MetricPattern11(client, "fee_usd_pct10") + self.pct25: MetricPattern11[Dollars] = MetricPattern11(client, "fee_usd_pct25") + self.pct75: MetricPattern11[Dollars] = MetricPattern11(client, "fee_usd_pct75") + self.pct90: MetricPattern11[Dollars] = MetricPattern11(client, "fee_usd_pct90") + self.sum: MetricPattern1[Dollars] = MetricPattern1(client, "fee_usd_sum") + class MetricsTree_Transactions_Fees_Fee: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.bitcoin: CountPattern2[Bitcoin] = CountPattern2(client, 'fee_btc') - self.dollars: MetricsTree_Transactions_Fees_Fee_Dollars = MetricsTree_Transactions_Fees_Fee_Dollars(client) - self.sats: CountPattern2[Sats] = CountPattern2(client, 'fee') - self.txindex: MetricPattern27[Sats] = MetricPattern27(client, 'fee') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.bitcoin: CountPattern2[Bitcoin] = CountPattern2(client, "fee_btc") + self.dollars: MetricsTree_Transactions_Fees_Fee_Dollars = ( + MetricsTree_Transactions_Fees_Fee_Dollars(client) + ) + self.sats: CountPattern2[Sats] = CountPattern2(client, "fee") + self.txindex: MetricPattern27[Sats] = MetricPattern27(client, "fee") + class MetricsTree_Transactions_Fees: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.fee: MetricsTree_Transactions_Fees_Fee = MetricsTree_Transactions_Fees_Fee(client) - self.fee_rate: FeeRatePattern[FeeRate] = FeeRatePattern(client, 'fee_rate') - self.input_value: MetricPattern27[Sats] = MetricPattern27(client, 'input_value') - self.output_value: MetricPattern27[Sats] = MetricPattern27(client, 'output_value') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.fee: MetricsTree_Transactions_Fees_Fee = MetricsTree_Transactions_Fees_Fee( + client + ) + self.fee_rate: FeeRatePattern[FeeRate] = FeeRatePattern(client, "fee_rate") + self.input_value: MetricPattern27[Sats] = MetricPattern27(client, "input_value") + self.output_value: MetricPattern27[Sats] = MetricPattern27( + client, "output_value" + ) + class MetricsTree_Transactions_Size: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.vsize: FeeRatePattern[VSize] = FeeRatePattern(client, 'tx_vsize') - self.weight: FeeRatePattern[Weight] = FeeRatePattern(client, 'tx_weight') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.vsize: FeeRatePattern[VSize] = FeeRatePattern(client, "tx_vsize") + self.weight: FeeRatePattern[Weight] = FeeRatePattern(client, "tx_weight") + class MetricsTree_Transactions_Versions: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.v1: BlockCountPattern[StoredU64] = BlockCountPattern(client, 'tx_v1') - self.v2: BlockCountPattern[StoredU64] = BlockCountPattern(client, 'tx_v2') - self.v3: BlockCountPattern[StoredU64] = BlockCountPattern(client, 'tx_v3') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.v1: BlockCountPattern[StoredU64] = BlockCountPattern(client, "tx_v1") + self.v2: BlockCountPattern[StoredU64] = BlockCountPattern(client, "tx_v2") + self.v3: BlockCountPattern[StoredU64] = BlockCountPattern(client, "tx_v3") + class MetricsTree_Transactions_Volume: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.annualized_volume: _2015Pattern = _2015Pattern(client, 'annualized_volume') - self.inputs_per_sec: MetricPattern4[StoredF32] = MetricPattern4(client, 'inputs_per_sec') - self.outputs_per_sec: MetricPattern4[StoredF32] = MetricPattern4(client, 'outputs_per_sec') - self.sent_sum: ActiveSupplyPattern = ActiveSupplyPattern(client, 'sent_sum') - self.tx_per_sec: MetricPattern4[StoredF32] = MetricPattern4(client, 'tx_per_sec') + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.annualized_volume: _2015Pattern = _2015Pattern(client, "annualized_volume") + self.inputs_per_sec: MetricPattern4[StoredF32] = MetricPattern4( + client, "inputs_per_sec" + ) + self.outputs_per_sec: MetricPattern4[StoredF32] = MetricPattern4( + client, "outputs_per_sec" + ) + self.sent_sum: ActiveSupplyPattern = ActiveSupplyPattern(client, "sent_sum") + self.tx_per_sec: MetricPattern4[StoredF32] = MetricPattern4( + client, "tx_per_sec" + ) + class MetricsTree_Transactions: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): - self.base_size: MetricPattern27[StoredU32] = MetricPattern27(client, 'base_size') - self.count: MetricsTree_Transactions_Count = MetricsTree_Transactions_Count(client) + + def __init__(self, client: BrkClientBase, base_path: str = ""): + self.base_size: MetricPattern27[StoredU32] = MetricPattern27( + client, "base_size" + ) + self.count: MetricsTree_Transactions_Count = MetricsTree_Transactions_Count( + client + ) self.fees: MetricsTree_Transactions_Fees = MetricsTree_Transactions_Fees(client) - self.first_txindex: MetricPattern11[TxIndex] = MetricPattern11(client, 'first_txindex') - self.first_txinindex: MetricPattern27[TxInIndex] = MetricPattern27(client, 'first_txinindex') - self.first_txoutindex: MetricPattern27[TxOutIndex] = MetricPattern27(client, 'first_txoutindex') - self.height: MetricPattern27[Height] = MetricPattern27(client, 'height') - self.is_explicitly_rbf: MetricPattern27[StoredBool] = MetricPattern27(client, 'is_explicitly_rbf') - self.rawlocktime: MetricPattern27[RawLockTime] = MetricPattern27(client, 'rawlocktime') + self.first_txindex: MetricPattern11[TxIndex] = MetricPattern11( + client, "first_txindex" + ) + self.first_txinindex: MetricPattern27[TxInIndex] = MetricPattern27( + client, "first_txinindex" + ) + self.first_txoutindex: MetricPattern27[TxOutIndex] = MetricPattern27( + client, "first_txoutindex" + ) + self.height: MetricPattern27[Height] = MetricPattern27(client, "height") + self.is_explicitly_rbf: MetricPattern27[StoredBool] = MetricPattern27( + client, "is_explicitly_rbf" + ) + self.rawlocktime: MetricPattern27[RawLockTime] = MetricPattern27( + client, "rawlocktime" + ) self.size: MetricsTree_Transactions_Size = MetricsTree_Transactions_Size(client) - self.total_size: MetricPattern27[StoredU32] = MetricPattern27(client, 'total_size') - self.txid: MetricPattern27[Txid] = MetricPattern27(client, 'txid') - self.txversion: MetricPattern27[TxVersion] = MetricPattern27(client, 'txversion') - self.versions: MetricsTree_Transactions_Versions = MetricsTree_Transactions_Versions(client) - self.volume: MetricsTree_Transactions_Volume = MetricsTree_Transactions_Volume(client) + self.total_size: MetricPattern27[StoredU32] = MetricPattern27( + client, "total_size" + ) + self.txid: MetricPattern27[Txid] = MetricPattern27(client, "txid") + self.txversion: MetricPattern27[TxVersion] = MetricPattern27( + client, "txversion" + ) + self.versions: MetricsTree_Transactions_Versions = ( + MetricsTree_Transactions_Versions(client) + ) + self.volume: MetricsTree_Transactions_Volume = MetricsTree_Transactions_Volume( + client + ) + class MetricsTree: """Metrics tree node.""" - - def __init__(self, client: BrkClientBase, base_path: str = ''): + + def __init__(self, client: BrkClientBase, base_path: str = ""): self.addresses: MetricsTree_Addresses = MetricsTree_Addresses(client) self.blocks: MetricsTree_Blocks = MetricsTree_Blocks(client) self.cointime: MetricsTree_Cointime = MetricsTree_Cointime(client) @@ -4521,903 +6620,644 @@ class MetricsTree: self.supply: MetricsTree_Supply = MetricsTree_Supply(client) self.transactions: MetricsTree_Transactions = MetricsTree_Transactions(client) + class BrkClient(BrkClientBase): """Main BRK client with metrics tree and API methods.""" VERSION = "v0.1.0-alpha.2" INDEXES = [ - "dateindex", - "decadeindex", - "difficultyepoch", - "emptyoutputindex", - "halvingepoch", - "height", - "txinindex", - "monthindex", - "opreturnindex", - "txoutindex", - "p2aaddressindex", - "p2msoutputindex", - "p2pk33addressindex", - "p2pk65addressindex", - "p2pkhaddressindex", - "p2shaddressindex", - "p2traddressindex", - "p2wpkhaddressindex", - "p2wshaddressindex", - "quarterindex", - "semesterindex", - "txindex", - "unknownoutputindex", - "weekindex", - "yearindex", - "loadedaddressindex", - "emptyaddressindex" + "dateindex", + "decadeindex", + "difficultyepoch", + "emptyoutputindex", + "halvingepoch", + "height", + "txinindex", + "monthindex", + "opreturnindex", + "txoutindex", + "p2aaddressindex", + "p2msoutputindex", + "p2pk33addressindex", + "p2pk65addressindex", + "p2pkhaddressindex", + "p2shaddressindex", + "p2traddressindex", + "p2wpkhaddressindex", + "p2wshaddressindex", + "quarterindex", + "semesterindex", + "txindex", + "unknownoutputindex", + "weekindex", + "yearindex", + "loadedaddressindex", + "emptyaddressindex", ] POOL_ID_TO_POOL_NAME = { - "aaopool": "AAO Pool", - "antpool": "AntPool", - "arkpool": "ArkPool", - "asicminer": "ASICMiner", - "axbt": "A-XBT", - "batpool": "BATPOOL", - "bcmonster": "BCMonster", - "bcpoolio": "bcpool.io", - "binancepool": "Binance Pool", - "bitalo": "Bitalo", - "bitclub": "BitClub", - "bitcoinaffiliatenetwork": "Bitcoin Affiliate Network", - "bitcoincom": "Bitcoin.com", - "bitcoinindia": "Bitcoin India", - "bitcoinrussia": "BitcoinRussia", - "bitcoinukraine": "Bitcoin-Ukraine", - "bitfarms": "Bitfarms", - "bitfufupool": "BitFuFuPool", - "bitfury": "BitFury", - "bitminter": "BitMinter", - "bitparking": "Bitparking", - "bitsolo": "Bitsolo", - "bixin": "Bixin", - "blockfills": "BlockFills", - "braiinspool": "Braiins Pool", - "bravomining": "Bravo Mining", - "btcc": "BTCC", - "btccom": "BTC.com", - "btcdig": "BTCDig", - "btcguild": "BTC Guild", - "btclab": "BTCLab", - "btcmp": "BTCMP", - "btcnuggets": "BTC Nuggets", - "btcpoolparty": "BTC Pool Party", - "btcserv": "BTCServ", - "btctop": "BTC.TOP", - "btpool": "BTPOOL", - "bwpool": "BWPool", - "bytepool": "BytePool", - "canoe": "CANOE", - "canoepool": "CanoePool", - "carbonnegative": "Carbon Negative", - "ckpool": "CKPool", - "cloudhashing": "CloudHashing", - "coinlab": "CoinLab", - "cointerra": "Cointerra", - "connectbtc": "ConnectBTC", - "dcex": "DCEX", - "dcexploration": "DCExploration", - "digitalbtc": "digitalBTC", - "digitalxmintsy": "digitalX Mintsy", - "dpool": "DPOOL", - "eclipsemc": "EclipseMC", - "eightbaochi": "8baochi", - "ekanembtc": "EkanemBTC", - "eligius": "Eligius", - "emcdpool": "EMCDPool", - "entrustcharitypool": "Entrust Charity Pool", - "eobot": "Eobot", - "exxbw": "EXX&BW", - "f2pool": "F2Pool", - "fiftyeightcoin": "58COIN", - "foundryusa": "Foundry USA", - "futurebitapollosolo": "FutureBit Apollo Solo", - "gbminers": "GBMiners", - "ghashio": "GHash.IO", - "givemecoins": "Give Me Coins", - "gogreenlight": "GoGreenLight", - "haominer": "haominer", - "haozhuzhu": "HAOZHUZHU", - "hashbx": "HashBX", - "hashpool": "HASHPOOL", - "helix": "Helix", - "hhtt": "HHTT", - "hotpool": "HotPool", - "hummerpool": "Hummerpool", - "huobipool": "Huobi.pool", - "innopolistech": "Innopolis Tech", - "kanopool": "KanoPool", - "kncminer": "KnCMiner", - "kucoinpool": "KuCoinPool", - "lubiancom": "Lubian.com", - "luckypool": "luckyPool", - "luxor": "Luxor", - "marapool": "MARA Pool", - "maxbtc": "MaxBTC", - "maxipool": "MaxiPool", - "megabigpower": "MegaBigPower", - "minerium": "Minerium", - "miningcity": "MiningCity", - "miningdutch": "Mining-Dutch", - "miningkings": "MiningKings", - "miningsquared": "Mining Squared", - "mmpool": "mmpool", - "mtred": "Mt Red", - "multicoinco": "MultiCoin.co", - "multipool": "Multipool", - "mybtccoinpool": "myBTCcoin Pool", - "neopool": "Neopool", - "nexious": "Nexious", - "nicehash": "NiceHash", - "nmcbit": "NMCbit", - "novablock": "NovaBlock", - "ocean": "OCEAN", - "okexpool": "OKExPool", - "okkong": "OKKONG", - "okminer": "OKMINER", - "okpooltop": "okpool.top", - "onehash": "1Hash", - "onem1x": "1M1X", - "onethash": "1THash", - "ozcoin": "OzCoin", - "parasite": "Parasite", - "patels": "Patels", - "pegapool": "PEGA Pool", - "phashio": "PHash.IO", - "phoenix": "Phoenix", - "polmine": "Polmine", - "pool175btc": "175btc", - "pool50btc": "50BTC", - "poolin": "Poolin", - "portlandhodl": "Portland.HODL", - "publicpool": "Public Pool", - "purebtccom": "PureBTC.COM", - "rawpool": "Rawpool", - "rigpool": "RigPool", - "sbicrypto": "SBI Crypto", - "secpool": "SECPOOL", - "secretsuperstar": "SecretSuperstar", - "sevenpool": "7pool", - "shawnp0wers": "shawnp0wers", - "sigmapoolcom": "Sigmapool.com", - "simplecoinus": "simplecoin.us", - "solock": "Solo CK", - "spiderpool": "SpiderPool", - "stminingcorp": "ST Mining Corp", - "tangpool": "Tangpool", - "tatmaspool": "TATMAS Pool", - "tbdice": "TBDice", - "telco214": "Telco 214", - "terrapool": "Terra Pool", - "tiger": "tiger", - "tigerpoolnet": "tigerpool.net", - "titan": "Titan", - "transactioncoinmining": "transactioncoinmining", - "trickysbtcpool": "Tricky's BTC Pool", - "triplemining": "TripleMining", - "twentyoneinc": "21 Inc.", - "ultimuspool": "ULTIMUSPOOL", - "unknown": "Unknown", - "unomp": "UNOMP", - "viabtc": "ViaBTC", - "waterhole": "Waterhole", - "wayicn": "WAYI.CN", - "whitepool": "WhitePool", - "wk057": "wk057", - "yourbtcnet": "Yourbtc.net", - "zulupool": "Zulupool" + "aaopool": "AAO Pool", + "antpool": "AntPool", + "arkpool": "ArkPool", + "asicminer": "ASICMiner", + "axbt": "A-XBT", + "batpool": "BATPOOL", + "bcmonster": "BCMonster", + "bcpoolio": "bcpool.io", + "binancepool": "Binance Pool", + "bitalo": "Bitalo", + "bitclub": "BitClub", + "bitcoinaffiliatenetwork": "Bitcoin Affiliate Network", + "bitcoincom": "Bitcoin.com", + "bitcoinindia": "Bitcoin India", + "bitcoinrussia": "BitcoinRussia", + "bitcoinukraine": "Bitcoin-Ukraine", + "bitfarms": "Bitfarms", + "bitfufupool": "BitFuFuPool", + "bitfury": "BitFury", + "bitminter": "BitMinter", + "bitparking": "Bitparking", + "bitsolo": "Bitsolo", + "bixin": "Bixin", + "blockfills": "BlockFills", + "braiinspool": "Braiins Pool", + "bravomining": "Bravo Mining", + "btcc": "BTCC", + "btccom": "BTC.com", + "btcdig": "BTCDig", + "btcguild": "BTC Guild", + "btclab": "BTCLab", + "btcmp": "BTCMP", + "btcnuggets": "BTC Nuggets", + "btcpoolparty": "BTC Pool Party", + "btcserv": "BTCServ", + "btctop": "BTC.TOP", + "btpool": "BTPOOL", + "bwpool": "BWPool", + "bytepool": "BytePool", + "canoe": "CANOE", + "canoepool": "CanoePool", + "carbonnegative": "Carbon Negative", + "ckpool": "CKPool", + "cloudhashing": "CloudHashing", + "coinlab": "CoinLab", + "cointerra": "Cointerra", + "connectbtc": "ConnectBTC", + "dcex": "DCEX", + "dcexploration": "DCExploration", + "digitalbtc": "digitalBTC", + "digitalxmintsy": "digitalX Mintsy", + "dpool": "DPOOL", + "eclipsemc": "EclipseMC", + "eightbaochi": "8baochi", + "ekanembtc": "EkanemBTC", + "eligius": "Eligius", + "emcdpool": "EMCDPool", + "entrustcharitypool": "Entrust Charity Pool", + "eobot": "Eobot", + "exxbw": "EXX&BW", + "f2pool": "F2Pool", + "fiftyeightcoin": "58COIN", + "foundryusa": "Foundry USA", + "futurebitapollosolo": "FutureBit Apollo Solo", + "gbminers": "GBMiners", + "ghashio": "GHash.IO", + "givemecoins": "Give Me Coins", + "gogreenlight": "GoGreenLight", + "haominer": "haominer", + "haozhuzhu": "HAOZHUZHU", + "hashbx": "HashBX", + "hashpool": "HASHPOOL", + "helix": "Helix", + "hhtt": "HHTT", + "hotpool": "HotPool", + "hummerpool": "Hummerpool", + "huobipool": "Huobi.pool", + "innopolistech": "Innopolis Tech", + "kanopool": "KanoPool", + "kncminer": "KnCMiner", + "kucoinpool": "KuCoinPool", + "lubiancom": "Lubian.com", + "luckypool": "luckyPool", + "luxor": "Luxor", + "marapool": "MARA Pool", + "maxbtc": "MaxBTC", + "maxipool": "MaxiPool", + "megabigpower": "MegaBigPower", + "minerium": "Minerium", + "miningcity": "MiningCity", + "miningdutch": "Mining-Dutch", + "miningkings": "MiningKings", + "miningsquared": "Mining Squared", + "mmpool": "mmpool", + "mtred": "Mt Red", + "multicoinco": "MultiCoin.co", + "multipool": "Multipool", + "mybtccoinpool": "myBTCcoin Pool", + "neopool": "Neopool", + "nexious": "Nexious", + "nicehash": "NiceHash", + "nmcbit": "NMCbit", + "novablock": "NovaBlock", + "ocean": "OCEAN", + "okexpool": "OKExPool", + "okkong": "OKKONG", + "okminer": "OKMINER", + "okpooltop": "okpool.top", + "onehash": "1Hash", + "onem1x": "1M1X", + "onethash": "1THash", + "ozcoin": "OzCoin", + "parasite": "Parasite", + "patels": "Patels", + "pegapool": "PEGA Pool", + "phashio": "PHash.IO", + "phoenix": "Phoenix", + "polmine": "Polmine", + "pool175btc": "175btc", + "pool50btc": "50BTC", + "poolin": "Poolin", + "portlandhodl": "Portland.HODL", + "publicpool": "Public Pool", + "purebtccom": "PureBTC.COM", + "rawpool": "Rawpool", + "rigpool": "RigPool", + "sbicrypto": "SBI Crypto", + "secpool": "SECPOOL", + "secretsuperstar": "SecretSuperstar", + "sevenpool": "7pool", + "shawnp0wers": "shawnp0wers", + "sigmapoolcom": "Sigmapool.com", + "simplecoinus": "simplecoin.us", + "solock": "Solo CK", + "spiderpool": "SpiderPool", + "stminingcorp": "ST Mining Corp", + "tangpool": "Tangpool", + "tatmaspool": "TATMAS Pool", + "tbdice": "TBDice", + "telco214": "Telco 214", + "terrapool": "Terra Pool", + "tiger": "tiger", + "tigerpoolnet": "tigerpool.net", + "titan": "Titan", + "transactioncoinmining": "transactioncoinmining", + "trickysbtcpool": "Tricky's BTC Pool", + "triplemining": "TripleMining", + "twentyoneinc": "21 Inc.", + "ultimuspool": "ULTIMUSPOOL", + "unknown": "Unknown", + "unomp": "UNOMP", + "viabtc": "ViaBTC", + "waterhole": "Waterhole", + "wayicn": "WAYI.CN", + "whitepool": "WhitePool", + "wk057": "wk057", + "yourbtcnet": "Yourbtc.net", + "zulupool": "Zulupool", } TERM_NAMES = { - "short": { - "id": "sth", - "short": "STH", - "long": "Short Term Holders" - }, - "long": { - "id": "lth", - "short": "LTH", - "long": "Long Term Holders" - } + "short": {"id": "sth", "short": "STH", "long": "Short Term Holders"}, + "long": {"id": "lth", "short": "LTH", "long": "Long Term Holders"}, } EPOCH_NAMES = { - "_0": { - "id": "epoch_0", - "short": "Epoch 0", - "long": "Epoch 0" - }, - "_1": { - "id": "epoch_1", - "short": "Epoch 1", - "long": "Epoch 1" - }, - "_2": { - "id": "epoch_2", - "short": "Epoch 2", - "long": "Epoch 2" - }, - "_3": { - "id": "epoch_3", - "short": "Epoch 3", - "long": "Epoch 3" - }, - "_4": { - "id": "epoch_4", - "short": "Epoch 4", - "long": "Epoch 4" - } + "_0": {"id": "epoch_0", "short": "Epoch 0", "long": "Epoch 0"}, + "_1": {"id": "epoch_1", "short": "Epoch 1", "long": "Epoch 1"}, + "_2": {"id": "epoch_2", "short": "Epoch 2", "long": "Epoch 2"}, + "_3": {"id": "epoch_3", "short": "Epoch 3", "long": "Epoch 3"}, + "_4": {"id": "epoch_4", "short": "Epoch 4", "long": "Epoch 4"}, } YEAR_NAMES = { - "_2009": { - "id": "year_2009", - "short": "2009", - "long": "Year 2009" - }, - "_2010": { - "id": "year_2010", - "short": "2010", - "long": "Year 2010" - }, - "_2011": { - "id": "year_2011", - "short": "2011", - "long": "Year 2011" - }, - "_2012": { - "id": "year_2012", - "short": "2012", - "long": "Year 2012" - }, - "_2013": { - "id": "year_2013", - "short": "2013", - "long": "Year 2013" - }, - "_2014": { - "id": "year_2014", - "short": "2014", - "long": "Year 2014" - }, - "_2015": { - "id": "year_2015", - "short": "2015", - "long": "Year 2015" - }, - "_2016": { - "id": "year_2016", - "short": "2016", - "long": "Year 2016" - }, - "_2017": { - "id": "year_2017", - "short": "2017", - "long": "Year 2017" - }, - "_2018": { - "id": "year_2018", - "short": "2018", - "long": "Year 2018" - }, - "_2019": { - "id": "year_2019", - "short": "2019", - "long": "Year 2019" - }, - "_2020": { - "id": "year_2020", - "short": "2020", - "long": "Year 2020" - }, - "_2021": { - "id": "year_2021", - "short": "2021", - "long": "Year 2021" - }, - "_2022": { - "id": "year_2022", - "short": "2022", - "long": "Year 2022" - }, - "_2023": { - "id": "year_2023", - "short": "2023", - "long": "Year 2023" - }, - "_2024": { - "id": "year_2024", - "short": "2024", - "long": "Year 2024" - }, - "_2025": { - "id": "year_2025", - "short": "2025", - "long": "Year 2025" - }, - "_2026": { - "id": "year_2026", - "short": "2026", - "long": "Year 2026" - } + "_2009": {"id": "year_2009", "short": "2009", "long": "Year 2009"}, + "_2010": {"id": "year_2010", "short": "2010", "long": "Year 2010"}, + "_2011": {"id": "year_2011", "short": "2011", "long": "Year 2011"}, + "_2012": {"id": "year_2012", "short": "2012", "long": "Year 2012"}, + "_2013": {"id": "year_2013", "short": "2013", "long": "Year 2013"}, + "_2014": {"id": "year_2014", "short": "2014", "long": "Year 2014"}, + "_2015": {"id": "year_2015", "short": "2015", "long": "Year 2015"}, + "_2016": {"id": "year_2016", "short": "2016", "long": "Year 2016"}, + "_2017": {"id": "year_2017", "short": "2017", "long": "Year 2017"}, + "_2018": {"id": "year_2018", "short": "2018", "long": "Year 2018"}, + "_2019": {"id": "year_2019", "short": "2019", "long": "Year 2019"}, + "_2020": {"id": "year_2020", "short": "2020", "long": "Year 2020"}, + "_2021": {"id": "year_2021", "short": "2021", "long": "Year 2021"}, + "_2022": {"id": "year_2022", "short": "2022", "long": "Year 2022"}, + "_2023": {"id": "year_2023", "short": "2023", "long": "Year 2023"}, + "_2024": {"id": "year_2024", "short": "2024", "long": "Year 2024"}, + "_2025": {"id": "year_2025", "short": "2025", "long": "Year 2025"}, + "_2026": {"id": "year_2026", "short": "2026", "long": "Year 2026"}, } SPENDABLE_TYPE_NAMES = { - "p2pk65": { - "id": "p2pk65", - "short": "P2PK65", - "long": "Pay to Public Key (65 bytes)" - }, - "p2pk33": { - "id": "p2pk33", - "short": "P2PK33", - "long": "Pay to Public Key (33 bytes)" - }, - "p2pkh": { - "id": "p2pkh", - "short": "P2PKH", - "long": "Pay to Public Key Hash" - }, - "p2ms": { - "id": "p2ms", - "short": "P2MS", - "long": "Pay to Multisig" - }, - "p2sh": { - "id": "p2sh", - "short": "P2SH", - "long": "Pay to Script Hash" - }, - "p2wpkh": { - "id": "p2wpkh", - "short": "P2WPKH", - "long": "Pay to Witness Public Key Hash" - }, - "p2wsh": { - "id": "p2wsh", - "short": "P2WSH", - "long": "Pay to Witness Script Hash" - }, - "p2tr": { - "id": "p2tr", - "short": "P2TR", - "long": "Pay to Taproot" - }, - "p2a": { - "id": "p2a", - "short": "P2A", - "long": "Pay to Anchor" - }, - "unknown": { - "id": "unknown_outputs", - "short": "Unknown", - "long": "Unknown Output Type" - }, - "empty": { - "id": "empty_outputs", - "short": "Empty", - "long": "Empty Output" - } + "p2pk65": { + "id": "p2pk65", + "short": "P2PK65", + "long": "Pay to Public Key (65 bytes)", + }, + "p2pk33": { + "id": "p2pk33", + "short": "P2PK33", + "long": "Pay to Public Key (33 bytes)", + }, + "p2pkh": {"id": "p2pkh", "short": "P2PKH", "long": "Pay to Public Key Hash"}, + "p2ms": {"id": "p2ms", "short": "P2MS", "long": "Pay to Multisig"}, + "p2sh": {"id": "p2sh", "short": "P2SH", "long": "Pay to Script Hash"}, + "p2wpkh": { + "id": "p2wpkh", + "short": "P2WPKH", + "long": "Pay to Witness Public Key Hash", + }, + "p2wsh": { + "id": "p2wsh", + "short": "P2WSH", + "long": "Pay to Witness Script Hash", + }, + "p2tr": {"id": "p2tr", "short": "P2TR", "long": "Pay to Taproot"}, + "p2a": {"id": "p2a", "short": "P2A", "long": "Pay to Anchor"}, + "unknown": { + "id": "unknown_outputs", + "short": "Unknown", + "long": "Unknown Output Type", + }, + "empty": {"id": "empty_outputs", "short": "Empty", "long": "Empty Output"}, } AGE_RANGE_NAMES = { - "up_to_1h": { - "id": "up_to_1h_old", - "short": "<1h", - "long": "Up to 1 Hour Old" - }, - "_1h_to_1d": { - "id": "at_least_1h_up_to_1d_old", - "short": "1h-1d", - "long": "1 Hour to 1 Day Old" - }, - "_1d_to_1w": { - "id": "at_least_1d_up_to_1w_old", - "short": "1d-1w", - "long": "1 Day to 1 Week Old" - }, - "_1w_to_1m": { - "id": "at_least_1w_up_to_1m_old", - "short": "1w-1m", - "long": "1 Week to 1 Month Old" - }, - "_1m_to_2m": { - "id": "at_least_1m_up_to_2m_old", - "short": "1m-2m", - "long": "1 to 2 Months Old" - }, - "_2m_to_3m": { - "id": "at_least_2m_up_to_3m_old", - "short": "2m-3m", - "long": "2 to 3 Months Old" - }, - "_3m_to_4m": { - "id": "at_least_3m_up_to_4m_old", - "short": "3m-4m", - "long": "3 to 4 Months Old" - }, - "_4m_to_5m": { - "id": "at_least_4m_up_to_5m_old", - "short": "4m-5m", - "long": "4 to 5 Months Old" - }, - "_5m_to_6m": { - "id": "at_least_5m_up_to_6m_old", - "short": "5m-6m", - "long": "5 to 6 Months Old" - }, - "_6m_to_1y": { - "id": "at_least_6m_up_to_1y_old", - "short": "6m-1y", - "long": "6 Months to 1 Year Old" - }, - "_1y_to_2y": { - "id": "at_least_1y_up_to_2y_old", - "short": "1y-2y", - "long": "1 to 2 Years Old" - }, - "_2y_to_3y": { - "id": "at_least_2y_up_to_3y_old", - "short": "2y-3y", - "long": "2 to 3 Years Old" - }, - "_3y_to_4y": { - "id": "at_least_3y_up_to_4y_old", - "short": "3y-4y", - "long": "3 to 4 Years Old" - }, - "_4y_to_5y": { - "id": "at_least_4y_up_to_5y_old", - "short": "4y-5y", - "long": "4 to 5 Years Old" - }, - "_5y_to_6y": { - "id": "at_least_5y_up_to_6y_old", - "short": "5y-6y", - "long": "5 to 6 Years Old" - }, - "_6y_to_7y": { - "id": "at_least_6y_up_to_7y_old", - "short": "6y-7y", - "long": "6 to 7 Years Old" - }, - "_7y_to_8y": { - "id": "at_least_7y_up_to_8y_old", - "short": "7y-8y", - "long": "7 to 8 Years Old" - }, - "_8y_to_10y": { - "id": "at_least_8y_up_to_10y_old", - "short": "8y-10y", - "long": "8 to 10 Years Old" - }, - "_10y_to_12y": { - "id": "at_least_10y_up_to_12y_old", - "short": "10y-12y", - "long": "10 to 12 Years Old" - }, - "_12y_to_15y": { - "id": "at_least_12y_up_to_15y_old", - "short": "12y-15y", - "long": "12 to 15 Years Old" - }, - "from_15y": { - "id": "at_least_15y_old", - "short": "15y+", - "long": "15+ Years Old" - } + "up_to_1h": {"id": "up_to_1h_old", "short": "<1h", "long": "Up to 1 Hour Old"}, + "_1h_to_1d": { + "id": "at_least_1h_up_to_1d_old", + "short": "1h-1d", + "long": "1 Hour to 1 Day Old", + }, + "_1d_to_1w": { + "id": "at_least_1d_up_to_1w_old", + "short": "1d-1w", + "long": "1 Day to 1 Week Old", + }, + "_1w_to_1m": { + "id": "at_least_1w_up_to_1m_old", + "short": "1w-1m", + "long": "1 Week to 1 Month Old", + }, + "_1m_to_2m": { + "id": "at_least_1m_up_to_2m_old", + "short": "1m-2m", + "long": "1 to 2 Months Old", + }, + "_2m_to_3m": { + "id": "at_least_2m_up_to_3m_old", + "short": "2m-3m", + "long": "2 to 3 Months Old", + }, + "_3m_to_4m": { + "id": "at_least_3m_up_to_4m_old", + "short": "3m-4m", + "long": "3 to 4 Months Old", + }, + "_4m_to_5m": { + "id": "at_least_4m_up_to_5m_old", + "short": "4m-5m", + "long": "4 to 5 Months Old", + }, + "_5m_to_6m": { + "id": "at_least_5m_up_to_6m_old", + "short": "5m-6m", + "long": "5 to 6 Months Old", + }, + "_6m_to_1y": { + "id": "at_least_6m_up_to_1y_old", + "short": "6m-1y", + "long": "6 Months to 1 Year Old", + }, + "_1y_to_2y": { + "id": "at_least_1y_up_to_2y_old", + "short": "1y-2y", + "long": "1 to 2 Years Old", + }, + "_2y_to_3y": { + "id": "at_least_2y_up_to_3y_old", + "short": "2y-3y", + "long": "2 to 3 Years Old", + }, + "_3y_to_4y": { + "id": "at_least_3y_up_to_4y_old", + "short": "3y-4y", + "long": "3 to 4 Years Old", + }, + "_4y_to_5y": { + "id": "at_least_4y_up_to_5y_old", + "short": "4y-5y", + "long": "4 to 5 Years Old", + }, + "_5y_to_6y": { + "id": "at_least_5y_up_to_6y_old", + "short": "5y-6y", + "long": "5 to 6 Years Old", + }, + "_6y_to_7y": { + "id": "at_least_6y_up_to_7y_old", + "short": "6y-7y", + "long": "6 to 7 Years Old", + }, + "_7y_to_8y": { + "id": "at_least_7y_up_to_8y_old", + "short": "7y-8y", + "long": "7 to 8 Years Old", + }, + "_8y_to_10y": { + "id": "at_least_8y_up_to_10y_old", + "short": "8y-10y", + "long": "8 to 10 Years Old", + }, + "_10y_to_12y": { + "id": "at_least_10y_up_to_12y_old", + "short": "10y-12y", + "long": "10 to 12 Years Old", + }, + "_12y_to_15y": { + "id": "at_least_12y_up_to_15y_old", + "short": "12y-15y", + "long": "12 to 15 Years Old", + }, + "from_15y": { + "id": "at_least_15y_old", + "short": "15y+", + "long": "15+ Years Old", + }, } MAX_AGE_NAMES = { - "_1w": { - "id": "up_to_1w_old", - "short": "<1w", - "long": "Up to 1 Week Old" - }, - "_1m": { - "id": "up_to_1m_old", - "short": "<1m", - "long": "Up to 1 Month Old" - }, - "_2m": { - "id": "up_to_2m_old", - "short": "<2m", - "long": "Up to 2 Months Old" - }, - "_3m": { - "id": "up_to_3m_old", - "short": "<3m", - "long": "Up to 3 Months Old" - }, - "_4m": { - "id": "up_to_4m_old", - "short": "<4m", - "long": "Up to 4 Months Old" - }, - "_5m": { - "id": "up_to_5m_old", - "short": "<5m", - "long": "Up to 5 Months Old" - }, - "_6m": { - "id": "up_to_6m_old", - "short": "<6m", - "long": "Up to 6 Months Old" - }, - "_1y": { - "id": "up_to_1y_old", - "short": "<1y", - "long": "Up to 1 Year Old" - }, - "_2y": { - "id": "up_to_2y_old", - "short": "<2y", - "long": "Up to 2 Years Old" - }, - "_3y": { - "id": "up_to_3y_old", - "short": "<3y", - "long": "Up to 3 Years Old" - }, - "_4y": { - "id": "up_to_4y_old", - "short": "<4y", - "long": "Up to 4 Years Old" - }, - "_5y": { - "id": "up_to_5y_old", - "short": "<5y", - "long": "Up to 5 Years Old" - }, - "_6y": { - "id": "up_to_6y_old", - "short": "<6y", - "long": "Up to 6 Years Old" - }, - "_7y": { - "id": "up_to_7y_old", - "short": "<7y", - "long": "Up to 7 Years Old" - }, - "_8y": { - "id": "up_to_8y_old", - "short": "<8y", - "long": "Up to 8 Years Old" - }, - "_10y": { - "id": "up_to_10y_old", - "short": "<10y", - "long": "Up to 10 Years Old" - }, - "_12y": { - "id": "up_to_12y_old", - "short": "<12y", - "long": "Up to 12 Years Old" - }, - "_15y": { - "id": "up_to_15y_old", - "short": "<15y", - "long": "Up to 15 Years Old" - } + "_1w": {"id": "up_to_1w_old", "short": "<1w", "long": "Up to 1 Week Old"}, + "_1m": {"id": "up_to_1m_old", "short": "<1m", "long": "Up to 1 Month Old"}, + "_2m": {"id": "up_to_2m_old", "short": "<2m", "long": "Up to 2 Months Old"}, + "_3m": {"id": "up_to_3m_old", "short": "<3m", "long": "Up to 3 Months Old"}, + "_4m": {"id": "up_to_4m_old", "short": "<4m", "long": "Up to 4 Months Old"}, + "_5m": {"id": "up_to_5m_old", "short": "<5m", "long": "Up to 5 Months Old"}, + "_6m": {"id": "up_to_6m_old", "short": "<6m", "long": "Up to 6 Months Old"}, + "_1y": {"id": "up_to_1y_old", "short": "<1y", "long": "Up to 1 Year Old"}, + "_2y": {"id": "up_to_2y_old", "short": "<2y", "long": "Up to 2 Years Old"}, + "_3y": {"id": "up_to_3y_old", "short": "<3y", "long": "Up to 3 Years Old"}, + "_4y": {"id": "up_to_4y_old", "short": "<4y", "long": "Up to 4 Years Old"}, + "_5y": {"id": "up_to_5y_old", "short": "<5y", "long": "Up to 5 Years Old"}, + "_6y": {"id": "up_to_6y_old", "short": "<6y", "long": "Up to 6 Years Old"}, + "_7y": {"id": "up_to_7y_old", "short": "<7y", "long": "Up to 7 Years Old"}, + "_8y": {"id": "up_to_8y_old", "short": "<8y", "long": "Up to 8 Years Old"}, + "_10y": {"id": "up_to_10y_old", "short": "<10y", "long": "Up to 10 Years Old"}, + "_12y": {"id": "up_to_12y_old", "short": "<12y", "long": "Up to 12 Years Old"}, + "_15y": {"id": "up_to_15y_old", "short": "<15y", "long": "Up to 15 Years Old"}, } MIN_AGE_NAMES = { - "_1d": { - "id": "at_least_1d_old", - "short": "1d+", - "long": "At Least 1 Day Old" - }, - "_1w": { - "id": "at_least_1w_old", - "short": "1w+", - "long": "At Least 1 Week Old" - }, - "_1m": { - "id": "at_least_1m_old", - "short": "1m+", - "long": "At Least 1 Month Old" - }, - "_2m": { - "id": "at_least_2m_old", - "short": "2m+", - "long": "At Least 2 Months Old" - }, - "_3m": { - "id": "at_least_3m_old", - "short": "3m+", - "long": "At Least 3 Months Old" - }, - "_4m": { - "id": "at_least_4m_old", - "short": "4m+", - "long": "At Least 4 Months Old" - }, - "_5m": { - "id": "at_least_5m_old", - "short": "5m+", - "long": "At Least 5 Months Old" - }, - "_6m": { - "id": "at_least_6m_old", - "short": "6m+", - "long": "At Least 6 Months Old" - }, - "_1y": { - "id": "at_least_1y_old", - "short": "1y+", - "long": "At Least 1 Year Old" - }, - "_2y": { - "id": "at_least_2y_old", - "short": "2y+", - "long": "At Least 2 Years Old" - }, - "_3y": { - "id": "at_least_3y_old", - "short": "3y+", - "long": "At Least 3 Years Old" - }, - "_4y": { - "id": "at_least_4y_old", - "short": "4y+", - "long": "At Least 4 Years Old" - }, - "_5y": { - "id": "at_least_5y_old", - "short": "5y+", - "long": "At Least 5 Years Old" - }, - "_6y": { - "id": "at_least_6y_old", - "short": "6y+", - "long": "At Least 6 Years Old" - }, - "_7y": { - "id": "at_least_7y_old", - "short": "7y+", - "long": "At Least 7 Years Old" - }, - "_8y": { - "id": "at_least_8y_old", - "short": "8y+", - "long": "At Least 8 Years Old" - }, - "_10y": { - "id": "at_least_10y_old", - "short": "10y+", - "long": "At Least 10 Years Old" - }, - "_12y": { - "id": "at_least_12y_old", - "short": "12y+", - "long": "At Least 12 Years Old" - } + "_1d": {"id": "at_least_1d_old", "short": "1d+", "long": "At Least 1 Day Old"}, + "_1w": {"id": "at_least_1w_old", "short": "1w+", "long": "At Least 1 Week Old"}, + "_1m": { + "id": "at_least_1m_old", + "short": "1m+", + "long": "At Least 1 Month Old", + }, + "_2m": { + "id": "at_least_2m_old", + "short": "2m+", + "long": "At Least 2 Months Old", + }, + "_3m": { + "id": "at_least_3m_old", + "short": "3m+", + "long": "At Least 3 Months Old", + }, + "_4m": { + "id": "at_least_4m_old", + "short": "4m+", + "long": "At Least 4 Months Old", + }, + "_5m": { + "id": "at_least_5m_old", + "short": "5m+", + "long": "At Least 5 Months Old", + }, + "_6m": { + "id": "at_least_6m_old", + "short": "6m+", + "long": "At Least 6 Months Old", + }, + "_1y": {"id": "at_least_1y_old", "short": "1y+", "long": "At Least 1 Year Old"}, + "_2y": { + "id": "at_least_2y_old", + "short": "2y+", + "long": "At Least 2 Years Old", + }, + "_3y": { + "id": "at_least_3y_old", + "short": "3y+", + "long": "At Least 3 Years Old", + }, + "_4y": { + "id": "at_least_4y_old", + "short": "4y+", + "long": "At Least 4 Years Old", + }, + "_5y": { + "id": "at_least_5y_old", + "short": "5y+", + "long": "At Least 5 Years Old", + }, + "_6y": { + "id": "at_least_6y_old", + "short": "6y+", + "long": "At Least 6 Years Old", + }, + "_7y": { + "id": "at_least_7y_old", + "short": "7y+", + "long": "At Least 7 Years Old", + }, + "_8y": { + "id": "at_least_8y_old", + "short": "8y+", + "long": "At Least 8 Years Old", + }, + "_10y": { + "id": "at_least_10y_old", + "short": "10y+", + "long": "At Least 10 Years Old", + }, + "_12y": { + "id": "at_least_12y_old", + "short": "12y+", + "long": "At Least 12 Years Old", + }, } AMOUNT_RANGE_NAMES = { - "_0sats": { - "id": "with_0sats", - "short": "0 sats", - "long": "0 Sats" - }, - "_1sat_to_10sats": { - "id": "above_1sat_under_10sats", - "short": "1-10 sats", - "long": "1 to 10 Sats" - }, - "_10sats_to_100sats": { - "id": "above_10sats_under_100sats", - "short": "10-100 sats", - "long": "10 to 100 Sats" - }, - "_100sats_to_1k_sats": { - "id": "above_100sats_under_1k_sats", - "short": "100-1k sats", - "long": "100 to 1K Sats" - }, - "_1k_sats_to_10k_sats": { - "id": "above_1k_sats_under_10k_sats", - "short": "1k-10k sats", - "long": "1K to 10K Sats" - }, - "_10k_sats_to_100k_sats": { - "id": "above_10k_sats_under_100k_sats", - "short": "10k-100k sats", - "long": "10K to 100K Sats" - }, - "_100k_sats_to_1m_sats": { - "id": "above_100k_sats_under_1m_sats", - "short": "100k-1M sats", - "long": "100K to 1M Sats" - }, - "_1m_sats_to_10m_sats": { - "id": "above_1m_sats_under_10m_sats", - "short": "1M-10M sats", - "long": "1M to 10M Sats" - }, - "_10m_sats_to_1btc": { - "id": "above_10m_sats_under_1btc", - "short": "0.1-1 BTC", - "long": "0.1 to 1 BTC" - }, - "_1btc_to_10btc": { - "id": "above_1btc_under_10btc", - "short": "1-10 BTC", - "long": "1 to 10 BTC" - }, - "_10btc_to_100btc": { - "id": "above_10btc_under_100btc", - "short": "10-100 BTC", - "long": "10 to 100 BTC" - }, - "_100btc_to_1k_btc": { - "id": "above_100btc_under_1k_btc", - "short": "100-1k BTC", - "long": "100 to 1K BTC" - }, - "_1k_btc_to_10k_btc": { - "id": "above_1k_btc_under_10k_btc", - "short": "1k-10k BTC", - "long": "1K to 10K BTC" - }, - "_10k_btc_to_100k_btc": { - "id": "above_10k_btc_under_100k_btc", - "short": "10k-100k BTC", - "long": "10K to 100K BTC" - }, - "_100k_btc_or_more": { - "id": "above_100k_btc", - "short": "100k+ BTC", - "long": "100K+ BTC" - } + "_0sats": {"id": "with_0sats", "short": "0 sats", "long": "0 Sats"}, + "_1sat_to_10sats": { + "id": "above_1sat_under_10sats", + "short": "1-10 sats", + "long": "1 to 10 Sats", + }, + "_10sats_to_100sats": { + "id": "above_10sats_under_100sats", + "short": "10-100 sats", + "long": "10 to 100 Sats", + }, + "_100sats_to_1k_sats": { + "id": "above_100sats_under_1k_sats", + "short": "100-1k sats", + "long": "100 to 1K Sats", + }, + "_1k_sats_to_10k_sats": { + "id": "above_1k_sats_under_10k_sats", + "short": "1k-10k sats", + "long": "1K to 10K Sats", + }, + "_10k_sats_to_100k_sats": { + "id": "above_10k_sats_under_100k_sats", + "short": "10k-100k sats", + "long": "10K to 100K Sats", + }, + "_100k_sats_to_1m_sats": { + "id": "above_100k_sats_under_1m_sats", + "short": "100k-1M sats", + "long": "100K to 1M Sats", + }, + "_1m_sats_to_10m_sats": { + "id": "above_1m_sats_under_10m_sats", + "short": "1M-10M sats", + "long": "1M to 10M Sats", + }, + "_10m_sats_to_1btc": { + "id": "above_10m_sats_under_1btc", + "short": "0.1-1 BTC", + "long": "0.1 to 1 BTC", + }, + "_1btc_to_10btc": { + "id": "above_1btc_under_10btc", + "short": "1-10 BTC", + "long": "1 to 10 BTC", + }, + "_10btc_to_100btc": { + "id": "above_10btc_under_100btc", + "short": "10-100 BTC", + "long": "10 to 100 BTC", + }, + "_100btc_to_1k_btc": { + "id": "above_100btc_under_1k_btc", + "short": "100-1k BTC", + "long": "100 to 1K BTC", + }, + "_1k_btc_to_10k_btc": { + "id": "above_1k_btc_under_10k_btc", + "short": "1k-10k BTC", + "long": "1K to 10K BTC", + }, + "_10k_btc_to_100k_btc": { + "id": "above_10k_btc_under_100k_btc", + "short": "10k-100k BTC", + "long": "10K to 100K BTC", + }, + "_100k_btc_or_more": { + "id": "above_100k_btc", + "short": "100k+ BTC", + "long": "100K+ BTC", + }, } GE_AMOUNT_NAMES = { - "_1sat": { - "id": "above_1sat", - "short": "1+ sats", - "long": "Above 1 Sat" - }, - "_10sats": { - "id": "above_10sats", - "short": "10+ sats", - "long": "Above 10 Sats" - }, - "_100sats": { - "id": "above_100sats", - "short": "100+ sats", - "long": "Above 100 Sats" - }, - "_1k_sats": { - "id": "above_1k_sats", - "short": "1k+ sats", - "long": "Above 1K Sats" - }, - "_10k_sats": { - "id": "above_10k_sats", - "short": "10k+ sats", - "long": "Above 10K Sats" - }, - "_100k_sats": { - "id": "above_100k_sats", - "short": "100k+ sats", - "long": "Above 100K Sats" - }, - "_1m_sats": { - "id": "above_1m_sats", - "short": "1M+ sats", - "long": "Above 1M Sats" - }, - "_10m_sats": { - "id": "above_10m_sats", - "short": "0.1+ BTC", - "long": "Above 0.1 BTC" - }, - "_1btc": { - "id": "above_1btc", - "short": "1+ BTC", - "long": "Above 1 BTC" - }, - "_10btc": { - "id": "above_10btc", - "short": "10+ BTC", - "long": "Above 10 BTC" - }, - "_100btc": { - "id": "above_100btc", - "short": "100+ BTC", - "long": "Above 100 BTC" - }, - "_1k_btc": { - "id": "above_1k_btc", - "short": "1k+ BTC", - "long": "Above 1K BTC" - }, - "_10k_btc": { - "id": "above_10k_btc", - "short": "10k+ BTC", - "long": "Above 10K BTC" - } + "_1sat": {"id": "above_1sat", "short": "1+ sats", "long": "Above 1 Sat"}, + "_10sats": {"id": "above_10sats", "short": "10+ sats", "long": "Above 10 Sats"}, + "_100sats": { + "id": "above_100sats", + "short": "100+ sats", + "long": "Above 100 Sats", + }, + "_1k_sats": { + "id": "above_1k_sats", + "short": "1k+ sats", + "long": "Above 1K Sats", + }, + "_10k_sats": { + "id": "above_10k_sats", + "short": "10k+ sats", + "long": "Above 10K Sats", + }, + "_100k_sats": { + "id": "above_100k_sats", + "short": "100k+ sats", + "long": "Above 100K Sats", + }, + "_1m_sats": { + "id": "above_1m_sats", + "short": "1M+ sats", + "long": "Above 1M Sats", + }, + "_10m_sats": { + "id": "above_10m_sats", + "short": "0.1+ BTC", + "long": "Above 0.1 BTC", + }, + "_1btc": {"id": "above_1btc", "short": "1+ BTC", "long": "Above 1 BTC"}, + "_10btc": {"id": "above_10btc", "short": "10+ BTC", "long": "Above 10 BTC"}, + "_100btc": {"id": "above_100btc", "short": "100+ BTC", "long": "Above 100 BTC"}, + "_1k_btc": {"id": "above_1k_btc", "short": "1k+ BTC", "long": "Above 1K BTC"}, + "_10k_btc": { + "id": "above_10k_btc", + "short": "10k+ BTC", + "long": "Above 10K BTC", + }, } LT_AMOUNT_NAMES = { - "_10sats": { - "id": "under_10sats", - "short": "<10 sats", - "long": "Under 10 Sats" - }, - "_100sats": { - "id": "under_100sats", - "short": "<100 sats", - "long": "Under 100 Sats" - }, - "_1k_sats": { - "id": "under_1k_sats", - "short": "<1k sats", - "long": "Under 1K Sats" - }, - "_10k_sats": { - "id": "under_10k_sats", - "short": "<10k sats", - "long": "Under 10K Sats" - }, - "_100k_sats": { - "id": "under_100k_sats", - "short": "<100k sats", - "long": "Under 100K Sats" - }, - "_1m_sats": { - "id": "under_1m_sats", - "short": "<1M sats", - "long": "Under 1M Sats" - }, - "_10m_sats": { - "id": "under_10m_sats", - "short": "<0.1 BTC", - "long": "Under 0.1 BTC" - }, - "_1btc": { - "id": "under_1btc", - "short": "<1 BTC", - "long": "Under 1 BTC" - }, - "_10btc": { - "id": "under_10btc", - "short": "<10 BTC", - "long": "Under 10 BTC" - }, - "_100btc": { - "id": "under_100btc", - "short": "<100 BTC", - "long": "Under 100 BTC" - }, - "_1k_btc": { - "id": "under_1k_btc", - "short": "<1k BTC", - "long": "Under 1K BTC" - }, - "_10k_btc": { - "id": "under_10k_btc", - "short": "<10k BTC", - "long": "Under 10K BTC" - }, - "_100k_btc": { - "id": "under_100k_btc", - "short": "<100k BTC", - "long": "Under 100K BTC" - } + "_10sats": {"id": "under_10sats", "short": "<10 sats", "long": "Under 10 Sats"}, + "_100sats": { + "id": "under_100sats", + "short": "<100 sats", + "long": "Under 100 Sats", + }, + "_1k_sats": { + "id": "under_1k_sats", + "short": "<1k sats", + "long": "Under 1K Sats", + }, + "_10k_sats": { + "id": "under_10k_sats", + "short": "<10k sats", + "long": "Under 10K Sats", + }, + "_100k_sats": { + "id": "under_100k_sats", + "short": "<100k sats", + "long": "Under 100K Sats", + }, + "_1m_sats": { + "id": "under_1m_sats", + "short": "<1M sats", + "long": "Under 1M Sats", + }, + "_10m_sats": { + "id": "under_10m_sats", + "short": "<0.1 BTC", + "long": "Under 0.1 BTC", + }, + "_1btc": {"id": "under_1btc", "short": "<1 BTC", "long": "Under 1 BTC"}, + "_10btc": {"id": "under_10btc", "short": "<10 BTC", "long": "Under 10 BTC"}, + "_100btc": {"id": "under_100btc", "short": "<100 BTC", "long": "Under 100 BTC"}, + "_1k_btc": {"id": "under_1k_btc", "short": "<1k BTC", "long": "Under 1K BTC"}, + "_10k_btc": { + "id": "under_10k_btc", + "short": "<10k BTC", + "long": "Under 10K BTC", + }, + "_100k_btc": { + "id": "under_100k_btc", + "short": "<100k BTC", + "long": "Under 100K BTC", + }, } - def __init__(self, base_url: str = 'http://localhost:3000', timeout: float = 30.0): + def __init__(self, base_url: str = "http://localhost:3000", timeout: float = 30.0): super().__init__(base_url, timeout) self.metrics = MetricsTree(self) @@ -5437,9 +7277,14 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-address)* Endpoint: `GET /api/address/{address}`""" - return self.get_json(f'/api/address/{address}') + return self.get_json(f"/api/address/{address}") - def get_address_txs(self, address: Address, after_txid: Optional[str] = None, limit: Optional[float] = None) -> List[Txid]: + def get_address_txs( + self, + address: Address, + after_txid: Optional[str] = None, + limit: Optional[float] = None, + ) -> List[Txid]: """Address transaction IDs. Get transaction IDs for an address, newest first. Use after_txid for pagination. @@ -5448,13 +7293,20 @@ class BrkClient(BrkClientBase): Endpoint: `GET /api/address/{address}/txs`""" params = [] - if after_txid is not None: params.append(f'after_txid={after_txid}') - if limit is not None: params.append(f'limit={limit}') - query = '&'.join(params) - path = f'/api/address/{address}/txs{"?" + query if query else ""}' + if after_txid is not None: + params.append(f"after_txid={after_txid}") + if limit is not None: + params.append(f"limit={limit}") + query = "&".join(params) + path = f"/api/address/{address}/txs{'?' + query if query else ''}" return self.get_json(path) - def get_address_confirmed_txs(self, address: Address, after_txid: Optional[str] = None, limit: Optional[float] = None) -> List[Txid]: + def get_address_confirmed_txs( + self, + address: Address, + after_txid: Optional[str] = None, + limit: Optional[float] = None, + ) -> List[Txid]: """Address confirmed transactions. Get confirmed transaction IDs for an address, 25 per page. Use ?after_txid= for pagination. @@ -5463,10 +7315,12 @@ class BrkClient(BrkClientBase): Endpoint: `GET /api/address/{address}/txs/chain`""" params = [] - if after_txid is not None: params.append(f'after_txid={after_txid}') - if limit is not None: params.append(f'limit={limit}') - query = '&'.join(params) - path = f'/api/address/{address}/txs/chain{"?" + query if query else ""}' + if after_txid is not None: + params.append(f"after_txid={after_txid}") + if limit is not None: + params.append(f"limit={limit}") + query = "&".join(params) + path = f"/api/address/{address}/txs/chain{'?' + query if query else ''}" return self.get_json(path) def get_address_mempool_txs(self, address: Address) -> List[Txid]: @@ -5477,7 +7331,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-address-transactions-mempool)* Endpoint: `GET /api/address/{address}/txs/mempool`""" - return self.get_json(f'/api/address/{address}/txs/mempool') + return self.get_json(f"/api/address/{address}/txs/mempool") def get_address_utxos(self, address: Address) -> List[Utxo]: """Address UTXOs. @@ -5487,7 +7341,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-address-utxo)* Endpoint: `GET /api/address/{address}/utxo`""" - return self.get_json(f'/api/address/{address}/utxo') + return self.get_json(f"/api/address/{address}/utxo") def get_block_by_height(self, height: Height) -> BlockInfo: """Block by height. @@ -5497,7 +7351,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-height)* Endpoint: `GET /api/block-height/{height}`""" - return self.get_json(f'/api/block-height/{height}') + return self.get_json(f"/api/block-height/{height}") def get_block(self, hash: BlockHash) -> BlockInfo: """Block information. @@ -5507,7 +7361,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block)* Endpoint: `GET /api/block/{hash}`""" - return self.get_json(f'/api/block/{hash}') + return self.get_json(f"/api/block/{hash}") def get_block_raw(self, hash: BlockHash) -> List[float]: """Raw block. @@ -5517,7 +7371,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-raw)* Endpoint: `GET /api/block/{hash}/raw`""" - return self.get_json(f'/api/block/{hash}/raw') + return self.get_json(f"/api/block/{hash}/raw") def get_block_status(self, hash: BlockHash) -> BlockStatus: """Block status. @@ -5527,7 +7381,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-status)* Endpoint: `GET /api/block/{hash}/status`""" - return self.get_json(f'/api/block/{hash}/status') + return self.get_json(f"/api/block/{hash}/status") def get_block_txid(self, hash: BlockHash, index: TxIndex) -> Txid: """Transaction ID at index. @@ -5537,7 +7391,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-transaction-id)* Endpoint: `GET /api/block/{hash}/txid/{index}`""" - return self.get_json(f'/api/block/{hash}/txid/{index}') + return self.get_json(f"/api/block/{hash}/txid/{index}") def get_block_txids(self, hash: BlockHash) -> List[Txid]: """Block transaction IDs. @@ -5547,7 +7401,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-transaction-ids)* Endpoint: `GET /api/block/{hash}/txids`""" - return self.get_json(f'/api/block/{hash}/txids') + return self.get_json(f"/api/block/{hash}/txids") def get_block_txs(self, hash: BlockHash, start_index: TxIndex) -> List[Transaction]: """Block transactions (paginated). @@ -5557,7 +7411,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-transactions)* Endpoint: `GET /api/block/{hash}/txs/{start_index}`""" - return self.get_json(f'/api/block/{hash}/txs/{start_index}') + return self.get_json(f"/api/block/{hash}/txs/{start_index}") def get_blocks(self) -> List[BlockInfo]: """Recent blocks. @@ -5567,7 +7421,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-blocks)* Endpoint: `GET /api/blocks`""" - return self.get_json('/api/blocks') + return self.get_json("/api/blocks") def get_blocks_from_height(self, height: Height) -> List[BlockInfo]: """Blocks from height. @@ -5577,7 +7431,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-blocks)* Endpoint: `GET /api/blocks/{height}`""" - return self.get_json(f'/api/blocks/{height}') + return self.get_json(f"/api/blocks/{height}") def get_mempool(self) -> MempoolInfo: """Mempool statistics. @@ -5587,7 +7441,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-mempool)* Endpoint: `GET /api/mempool/info`""" - return self.get_json('/api/mempool/info') + return self.get_json("/api/mempool/info") def get_mempool_txids(self) -> List[Txid]: """Mempool transaction IDs. @@ -5597,7 +7451,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-mempool-transaction-ids)* Endpoint: `GET /api/mempool/txids`""" - return self.get_json('/api/mempool/txids') + return self.get_json("/api/mempool/txids") def get_metric_info(self, metric: Metric) -> List[Index]: """Get supported indexes for a metric. @@ -5605,22 +7459,34 @@ class BrkClient(BrkClientBase): Returns the list of indexes supported by the specified metric. For example, `realized_price` might be available on dateindex, weekindex, and monthindex. Endpoint: `GET /api/metric/{metric}`""" - return self.get_json(f'/api/metric/{metric}') + return self.get_json(f"/api/metric/{metric}") - def get_metric(self, metric: Metric, index: Index, start: Optional[float] = None, end: Optional[float] = None, limit: Optional[str] = None, format: Optional[Format] = None) -> Union[AnyMetricData, str]: + def get_metric( + self, + metric: Metric, + index: Index, + start: Optional[float] = None, + end: Optional[float] = None, + limit: Optional[str] = None, + format: Optional[Format] = None, + ) -> Union[AnyMetricData, str]: """Get metric data. Fetch data for a specific metric at the given index. Use query parameters to filter by date range and format (json/csv). Endpoint: `GET /api/metric/{metric}/{index}`""" params = [] - if start is not None: params.append(f'start={start}') - if end is not None: params.append(f'end={end}') - if limit is not None: params.append(f'limit={limit}') - if format is not None: params.append(f'format={format}') - query = '&'.join(params) - path = f'/api/metric/{metric}/{index}{"?" + query if query else ""}' - if format == 'csv': + if start is not None: + params.append(f"start={start}") + if end is not None: + params.append(f"end={end}") + if limit is not None: + params.append(f"limit={limit}") + if format is not None: + params.append(f"format={format}") + query = "&".join(params) + path = f"/api/metric/{metric}/{index}{'?' + query if query else ''}" + if format == "csv": return self.get_text(path) return self.get_json(path) @@ -5630,24 +7496,36 @@ class BrkClient(BrkClientBase): Returns the complete hierarchical catalog of available metrics organized as a tree structure. Metrics are grouped by categories and subcategories. Endpoint: `GET /api/metrics`""" - return self.get_json('/api/metrics') + return self.get_json("/api/metrics") - def get_metrics(self, metrics: Metrics, index: Index, start: Optional[float] = None, end: Optional[float] = None, limit: Optional[str] = None, format: Optional[Format] = None) -> Union[List[AnyMetricData], str]: + def get_metrics( + self, + metrics: Metrics, + index: Index, + start: Optional[float] = None, + end: Optional[float] = None, + limit: Optional[str] = None, + format: Optional[Format] = None, + ) -> Union[List[AnyMetricData], str]: """Bulk metric data. Fetch multiple metrics in a single request. Supports filtering by index and date range. Returns an array of MetricData objects. For a single metric, use `get_metric` instead. Endpoint: `GET /api/metrics/bulk`""" params = [] - params.append(f'metrics={metrics}') - params.append(f'index={index}') - if start is not None: params.append(f'start={start}') - if end is not None: params.append(f'end={end}') - if limit is not None: params.append(f'limit={limit}') - if format is not None: params.append(f'format={format}') - query = '&'.join(params) - path = f'/api/metrics/bulk{"?" + query if query else ""}' - if format == 'csv': + params.append(f"metrics={metrics}") + params.append(f"index={index}") + if start is not None: + params.append(f"start={start}") + if end is not None: + params.append(f"end={end}") + if limit is not None: + params.append(f"limit={limit}") + if format is not None: + params.append(f"format={format}") + query = "&".join(params) + path = f"/api/metrics/bulk{'?' + query if query else ''}" + if format == "csv": return self.get_text(path) return self.get_json(path) @@ -5657,7 +7535,7 @@ class BrkClient(BrkClientBase): Returns the number of metrics available per index type. Endpoint: `GET /api/metrics/count`""" - return self.get_json('/api/metrics/count') + return self.get_json("/api/metrics/count") def get_indexes(self) -> List[IndexInfo]: """List available indexes. @@ -5665,7 +7543,7 @@ class BrkClient(BrkClientBase): Returns all available indexes with their accepted query aliases. Use any alias when querying metrics. Endpoint: `GET /api/metrics/indexes`""" - return self.get_json('/api/metrics/indexes') + return self.get_json("/api/metrics/indexes") def list_metrics(self, page: Optional[float] = None) -> PaginatedMetrics: """Metrics list. @@ -5674,21 +7552,25 @@ class BrkClient(BrkClientBase): Endpoint: `GET /api/metrics/list`""" params = [] - if page is not None: params.append(f'page={page}') - query = '&'.join(params) - path = f'/api/metrics/list{"?" + query if query else ""}' + if page is not None: + params.append(f"page={page}") + query = "&".join(params) + path = f"/api/metrics/list{'?' + query if query else ''}" return self.get_json(path) - def search_metrics(self, metric: Metric, limit: Optional[Limit] = None) -> List[Metric]: + def search_metrics( + self, metric: Metric, limit: Optional[Limit] = None + ) -> List[Metric]: """Search metrics. Fuzzy search for metrics by name. Supports partial matches and typos. Endpoint: `GET /api/metrics/search/{metric}`""" params = [] - if limit is not None: params.append(f'limit={limit}') - query = '&'.join(params) - path = f'/api/metrics/search/{metric}{"?" + query if query else ""}' + if limit is not None: + params.append(f"limit={limit}") + query = "&".join(params) + path = f"/api/metrics/search/{metric}{'?' + query if query else ''}" return self.get_json(path) def get_disk_usage(self) -> DiskUsage: @@ -5697,7 +7579,7 @@ class BrkClient(BrkClientBase): Returns the disk space used by BRK and Bitcoin data. Endpoint: `GET /api/server/disk`""" - return self.get_json('/api/server/disk') + return self.get_json("/api/server/disk") def get_sync_status(self) -> SyncStatus: """Sync status. @@ -5705,7 +7587,7 @@ class BrkClient(BrkClientBase): Returns the sync status of the indexer, including indexed height, tip height, blocks behind, and last indexed timestamp. Endpoint: `GET /api/server/sync`""" - return self.get_json('/api/server/sync') + return self.get_json("/api/server/sync") def get_tx(self, txid: Txid) -> Transaction: """Transaction information. @@ -5715,7 +7597,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-transaction)* Endpoint: `GET /api/tx/{txid}`""" - return self.get_json(f'/api/tx/{txid}') + return self.get_json(f"/api/tx/{txid}") def get_tx_hex(self, txid: Txid) -> Hex: """Transaction hex. @@ -5725,7 +7607,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-transaction-hex)* Endpoint: `GET /api/tx/{txid}/hex`""" - return self.get_json(f'/api/tx/{txid}/hex') + return self.get_json(f"/api/tx/{txid}/hex") def get_tx_outspend(self, txid: Txid, vout: Vout) -> TxOutspend: """Output spend status. @@ -5735,7 +7617,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-transaction-outspend)* Endpoint: `GET /api/tx/{txid}/outspend/{vout}`""" - return self.get_json(f'/api/tx/{txid}/outspend/{vout}') + return self.get_json(f"/api/tx/{txid}/outspend/{vout}") def get_tx_outspends(self, txid: Txid) -> List[TxOutspend]: """All output spend statuses. @@ -5745,7 +7627,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-transaction-outspends)* Endpoint: `GET /api/tx/{txid}/outspends`""" - return self.get_json(f'/api/tx/{txid}/outspends') + return self.get_json(f"/api/tx/{txid}/outspends") def get_tx_status(self, txid: Txid) -> TxStatus: """Transaction status. @@ -5755,7 +7637,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-transaction-status)* Endpoint: `GET /api/tx/{txid}/status`""" - return self.get_json(f'/api/tx/{txid}/status') + return self.get_json(f"/api/tx/{txid}/status") def get_difficulty_adjustment(self) -> DifficultyAdjustment: """Difficulty adjustment. @@ -5765,7 +7647,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-difficulty-adjustment)* Endpoint: `GET /api/v1/difficulty-adjustment`""" - return self.get_json('/api/v1/difficulty-adjustment') + return self.get_json("/api/v1/difficulty-adjustment") def get_mempool_blocks(self) -> List[MempoolBlock]: """Projected mempool blocks. @@ -5775,7 +7657,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-mempool-blocks-fees)* Endpoint: `GET /api/v1/fees/mempool-blocks`""" - return self.get_json('/api/v1/fees/mempool-blocks') + return self.get_json("/api/v1/fees/mempool-blocks") def get_recommended_fees(self) -> RecommendedFees: """Recommended fees. @@ -5785,7 +7667,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-recommended-fees)* Endpoint: `GET /api/v1/fees/recommended`""" - return self.get_json('/api/v1/fees/recommended') + return self.get_json("/api/v1/fees/recommended") def get_block_fee_rates(self, time_period: TimePeriod) -> Any: """Block fee rates (WIP). @@ -5795,7 +7677,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-feerates)* Endpoint: `GET /api/v1/mining/blocks/fee-rates/{time_period}`""" - return self.get_json(f'/api/v1/mining/blocks/fee-rates/{time_period}') + return self.get_json(f"/api/v1/mining/blocks/fee-rates/{time_period}") def get_block_fees(self, time_period: TimePeriod) -> List[BlockFeesEntry]: """Block fees. @@ -5805,7 +7687,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-fees)* Endpoint: `GET /api/v1/mining/blocks/fees/{time_period}`""" - return self.get_json(f'/api/v1/mining/blocks/fees/{time_period}') + return self.get_json(f"/api/v1/mining/blocks/fees/{time_period}") def get_block_rewards(self, time_period: TimePeriod) -> List[BlockRewardsEntry]: """Block rewards. @@ -5815,7 +7697,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-rewards)* Endpoint: `GET /api/v1/mining/blocks/rewards/{time_period}`""" - return self.get_json(f'/api/v1/mining/blocks/rewards/{time_period}') + return self.get_json(f"/api/v1/mining/blocks/rewards/{time_period}") def get_block_sizes_weights(self, time_period: TimePeriod) -> BlockSizesWeights: """Block sizes and weights. @@ -5825,7 +7707,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-sizes-weights)* Endpoint: `GET /api/v1/mining/blocks/sizes-weights/{time_period}`""" - return self.get_json(f'/api/v1/mining/blocks/sizes-weights/{time_period}') + return self.get_json(f"/api/v1/mining/blocks/sizes-weights/{time_period}") def get_block_by_timestamp(self, timestamp: Timestamp) -> BlockTimestamp: """Block by timestamp. @@ -5835,7 +7717,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-block-timestamp)* Endpoint: `GET /api/v1/mining/blocks/timestamp/{timestamp}`""" - return self.get_json(f'/api/v1/mining/blocks/timestamp/{timestamp}') + return self.get_json(f"/api/v1/mining/blocks/timestamp/{timestamp}") def get_difficulty_adjustments(self) -> List[DifficultyAdjustmentEntry]: """Difficulty adjustments (all time). @@ -5845,9 +7727,11 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-difficulty-adjustments)* Endpoint: `GET /api/v1/mining/difficulty-adjustments`""" - return self.get_json('/api/v1/mining/difficulty-adjustments') + return self.get_json("/api/v1/mining/difficulty-adjustments") - def get_difficulty_adjustments_by_period(self, time_period: TimePeriod) -> List[DifficultyAdjustmentEntry]: + def get_difficulty_adjustments_by_period( + self, time_period: TimePeriod + ) -> List[DifficultyAdjustmentEntry]: """Difficulty adjustments. Get historical difficulty adjustments for a time period. Valid periods: 24h, 3d, 1w, 1m, 3m, 6m, 1y, 2y, 3y. @@ -5855,7 +7739,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-difficulty-adjustments)* Endpoint: `GET /api/v1/mining/difficulty-adjustments/{time_period}`""" - return self.get_json(f'/api/v1/mining/difficulty-adjustments/{time_period}') + return self.get_json(f"/api/v1/mining/difficulty-adjustments/{time_period}") def get_hashrate(self) -> HashrateSummary: """Network hashrate (all time). @@ -5865,7 +7749,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-hashrate)* Endpoint: `GET /api/v1/mining/hashrate`""" - return self.get_json('/api/v1/mining/hashrate') + return self.get_json("/api/v1/mining/hashrate") def get_hashrate_by_period(self, time_period: TimePeriod) -> HashrateSummary: """Network hashrate. @@ -5875,7 +7759,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-hashrate)* Endpoint: `GET /api/v1/mining/hashrate/{time_period}`""" - return self.get_json(f'/api/v1/mining/hashrate/{time_period}') + return self.get_json(f"/api/v1/mining/hashrate/{time_period}") def get_pool(self, slug: PoolSlug) -> PoolDetail: """Mining pool details. @@ -5885,7 +7769,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-mining-pool)* Endpoint: `GET /api/v1/mining/pool/{slug}`""" - return self.get_json(f'/api/v1/mining/pool/{slug}') + return self.get_json(f"/api/v1/mining/pool/{slug}") def get_pools(self) -> List[PoolInfo]: """List all mining pools. @@ -5895,7 +7779,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-mining-pools)* Endpoint: `GET /api/v1/mining/pools`""" - return self.get_json('/api/v1/mining/pools') + return self.get_json("/api/v1/mining/pools") def get_pool_stats(self, time_period: TimePeriod) -> PoolsSummary: """Mining pool statistics. @@ -5905,7 +7789,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-mining-pools)* Endpoint: `GET /api/v1/mining/pools/{time_period}`""" - return self.get_json(f'/api/v1/mining/pools/{time_period}') + return self.get_json(f"/api/v1/mining/pools/{time_period}") def get_reward_stats(self, block_count: float) -> RewardStats: """Mining reward statistics. @@ -5915,7 +7799,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-reward-stats)* Endpoint: `GET /api/v1/mining/reward-stats/{block_count}`""" - return self.get_json(f'/api/v1/mining/reward-stats/{block_count}') + return self.get_json(f"/api/v1/mining/reward-stats/{block_count}") def validate_address(self, address: str) -> AddressValidation: """Validate address. @@ -5925,7 +7809,7 @@ class BrkClient(BrkClientBase): *[Mempool.space docs](https://mempool.space/docs/api/rest#get-address-validate)* Endpoint: `GET /api/v1/validate-address/{address}`""" - return self.get_json(f'/api/v1/validate-address/{address}') + return self.get_json(f"/api/v1/validate-address/{address}") def get_health(self) -> Health: """Health check. @@ -5933,7 +7817,7 @@ class BrkClient(BrkClientBase): Returns the health status of the API server, including uptime information. Endpoint: `GET /health`""" - return self.get_json('/health') + return self.get_json("/health") def get_version(self) -> str: """API version. @@ -5941,5 +7825,4 @@ class BrkClient(BrkClientBase): Returns the current version of the API server Endpoint: `GET /version`""" - return self.get_json('/version') - + return self.get_json("/version") diff --git a/packages/brk_client/tests/tree.py b/packages/brk_client/tests/tree.py index 36db039cb..feab8e53b 100644 --- a/packages/brk_client/tests/tree.py +++ b/packages/brk_client/tests/tree.py @@ -1,14 +1,27 @@ +# Run: +# uv run pytest tests/tree.py -s + """Comprehensive test that fetches all endpoints in the tree.""" from brk_client import BrkClient +def is_metric_pattern(obj): + """Check if an object is a metric pattern (has indexes() method and by attribute).""" + return ( + hasattr(obj, "indexes") + and callable(getattr(obj, "indexes", None)) + and hasattr(obj, "by") + ) + + def get_all_metrics(obj, path=""): """Recursively collect all MetricPattern instances from the tree.""" metrics = [] for attr_name in dir(obj): - if attr_name.startswith("_"): + # Skip dunder methods and internal attributes like _client + if attr_name.startswith("__") or attr_name == "_client": continue try: @@ -16,74 +29,58 @@ def get_all_metrics(obj, path=""): except Exception: continue + if attr is None or callable(attr): + continue + current_path = f"{path}.{attr_name}" if path else attr_name - # Check if this is a metric pattern (has 'by' attribute with index methods) - if hasattr(attr, "by"): - by = attr.by - indexes = [] - for idx_name in dir(by): - if not idx_name.startswith("_") and callable( - getattr(by, idx_name, None) - ): - indexes.append(idx_name) - if indexes: - metrics.append((current_path, attr, indexes)) + # Check if this is a metric pattern using the indexes() method + if is_metric_pattern(attr): + metrics.append((current_path, attr)) # Recurse into nested tree nodes - if hasattr(attr, "__dict__") and not callable(attr): + if hasattr(attr, "__dict__"): metrics.extend(get_all_metrics(attr, current_path)) return metrics def test_all_endpoints(): - """Test fetching last 3 values from all metric endpoints.""" + """Test fetching last value from all metric endpoints.""" client = BrkClient("http://localhost:3110") metrics = get_all_metrics(client.metrics) print(f"\nFound {len(metrics)} metrics") success = 0 - failed = 0 - errors = [] - for path, metric, indexes in metrics: + for path, metric in metrics: + # Use the indexes() method to get all available indexes + indexes = metric.indexes() + for idx_name in indexes: + full_path = f"{path}.by.{idx_name}" + try: + # Verify both access methods work: .by.index() and .get(index) by = metric.by - endpoint = getattr(by, idx_name)() - # Use the new idiomatic API: tail(3).fetch() or [-3:].fetch() - res = endpoint.tail(3).fetch() - count = len(res["data"]) - if count != 3: - failed += 1 - error_msg = ( - f"FAIL: {path}.by.{idx_name}() -> expected 3, got {count}" - ) - errors.append(error_msg) - print(error_msg) - else: - success += 1 - print(f"OK: {path}.by.{idx_name}() -> {count} items") + endpoint_by_property = getattr(by, idx_name)() + endpoint_by_get = metric.get(idx_name) + + if endpoint_by_property is None: + raise Exception(f"metric.by.{idx_name}() returned None") + if endpoint_by_get is None: + raise Exception(f"metric.get('{idx_name}') returned None") + + endpoint_by_property.tail(1).fetch() + success += 1 + print(f"OK: {full_path}") except Exception as e: - failed += 1 - error_msg = f"FAIL: {path}.by.{idx_name}() -> {e}" - errors.append(error_msg) - print(error_msg) + print(f"FAIL: {full_path} -> {e}") + return print("\n=== Results ===") print(f"Success: {success}") - print(f"Failed: {failed}") - - if errors: - print("\nErrors:") - for err in errors[:10]: # Show first 10 errors - print(f" {err}") - if len(errors) > 10: - print(f" ... and {len(errors) - 10} more") - - assert failed == 0, f"{failed} endpoints failed" if __name__ == "__main__":