Merge pull request 'refactor: Remove InterpretStatus/Error & Outcome from Topology' (#99) from remove-interpret-status-from-topology into master
Reviewed-on: https://git.nationtech.io/NationTech/harmony/pulls/99 Reviewed-by: johnride <jg@nationtech.io>
This commit is contained in:
commit
dcf8335240
@ -11,5 +11,5 @@ lazy_static! {
|
|||||||
pub static ref REGISTRY_PROJECT: String =
|
pub static ref REGISTRY_PROJECT: String =
|
||||||
std::env::var("HARMONY_REGISTRY_PROJECT").unwrap_or_else(|_| "harmony".to_string());
|
std::env::var("HARMONY_REGISTRY_PROJECT").unwrap_or_else(|_| "harmony".to_string());
|
||||||
pub static ref DRY_RUN: bool =
|
pub static ref DRY_RUN: bool =
|
||||||
std::env::var("HARMONY_DRY_RUN").map_or(true, |value| value.parse().unwrap_or(true));
|
std::env::var("HARMONY_DRY_RUN").is_ok_and(|value| value.parse().unwrap_or(false));
|
||||||
}
|
}
|
||||||
|
@ -2,18 +2,14 @@ use log::debug;
|
|||||||
use once_cell::sync::Lazy;
|
use once_cell::sync::Lazy;
|
||||||
use tokio::sync::broadcast;
|
use tokio::sync::broadcast;
|
||||||
|
|
||||||
use super::interpret::{InterpretError, Outcome};
|
use super::{
|
||||||
|
interpret::{InterpretError, Outcome},
|
||||||
|
topology::TopologyStatus,
|
||||||
|
};
|
||||||
|
|
||||||
#[derive(Debug, Clone)]
|
#[derive(Debug, Clone)]
|
||||||
pub enum HarmonyEvent {
|
pub enum HarmonyEvent {
|
||||||
HarmonyStarted,
|
HarmonyStarted,
|
||||||
PrepareTopologyStarted {
|
|
||||||
topology: String,
|
|
||||||
},
|
|
||||||
TopologyPrepared {
|
|
||||||
topology: String,
|
|
||||||
outcome: Outcome,
|
|
||||||
},
|
|
||||||
InterpretExecutionStarted {
|
InterpretExecutionStarted {
|
||||||
topology: String,
|
topology: String,
|
||||||
interpret: String,
|
interpret: String,
|
||||||
@ -24,6 +20,11 @@ pub enum HarmonyEvent {
|
|||||||
interpret: String,
|
interpret: String,
|
||||||
outcome: Result<Outcome, InterpretError>,
|
outcome: Result<Outcome, InterpretError>,
|
||||||
},
|
},
|
||||||
|
TopologyStateChanged {
|
||||||
|
topology: String,
|
||||||
|
status: TopologyStatus,
|
||||||
|
message: Option<String>,
|
||||||
|
},
|
||||||
}
|
}
|
||||||
|
|
||||||
static HARMONY_EVENT_BUS: Lazy<broadcast::Sender<HarmonyEvent>> = Lazy::new(|| {
|
static HARMONY_EVENT_BUS: Lazy<broadcast::Sender<HarmonyEvent>> = Lazy::new(|| {
|
||||||
|
@ -7,6 +7,7 @@ use super::{
|
|||||||
data::{Id, Version},
|
data::{Id, Version},
|
||||||
executors::ExecutorError,
|
executors::ExecutorError,
|
||||||
inventory::Inventory,
|
inventory::Inventory,
|
||||||
|
topology::PreparationError,
|
||||||
};
|
};
|
||||||
|
|
||||||
pub enum InterpretName {
|
pub enum InterpretName {
|
||||||
@ -113,6 +114,14 @@ impl std::fmt::Display for InterpretError {
|
|||||||
}
|
}
|
||||||
impl Error for InterpretError {}
|
impl Error for InterpretError {}
|
||||||
|
|
||||||
|
impl From<PreparationError> for InterpretError {
|
||||||
|
fn from(value: PreparationError) -> Self {
|
||||||
|
Self {
|
||||||
|
msg: format!("InterpretError : {value}"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl From<ExecutorError> for InterpretError {
|
impl From<ExecutorError> for InterpretError {
|
||||||
fn from(value: ExecutorError) -> Self {
|
fn from(value: ExecutorError) -> Self {
|
||||||
Self {
|
Self {
|
||||||
|
@ -1,14 +1,14 @@
|
|||||||
use std::sync::{Arc, Mutex, RwLock};
|
use std::sync::{Arc, RwLock};
|
||||||
|
|
||||||
use log::{debug, warn};
|
use log::{debug, warn};
|
||||||
|
|
||||||
use crate::instrumentation::{self, HarmonyEvent};
|
use crate::topology::TopologyStatus;
|
||||||
|
|
||||||
use super::{
|
use super::{
|
||||||
interpret::{InterpretError, InterpretStatus, Outcome},
|
interpret::{InterpretError, Outcome},
|
||||||
inventory::Inventory,
|
inventory::Inventory,
|
||||||
score::Score,
|
score::Score,
|
||||||
topology::Topology,
|
topology::{PreparationError, PreparationOutcome, Topology, TopologyState},
|
||||||
};
|
};
|
||||||
|
|
||||||
type ScoreVec<T> = Vec<Box<dyn Score<T>>>;
|
type ScoreVec<T> = Vec<Box<dyn Score<T>>>;
|
||||||
@ -17,7 +17,7 @@ pub struct Maestro<T: Topology> {
|
|||||||
inventory: Inventory,
|
inventory: Inventory,
|
||||||
topology: T,
|
topology: T,
|
||||||
scores: Arc<RwLock<ScoreVec<T>>>,
|
scores: Arc<RwLock<ScoreVec<T>>>,
|
||||||
topology_preparation_result: Mutex<Option<Outcome>>,
|
topology_state: TopologyState,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<T: Topology> Maestro<T> {
|
impl<T: Topology> Maestro<T> {
|
||||||
@ -25,41 +25,46 @@ impl<T: Topology> Maestro<T> {
|
|||||||
///
|
///
|
||||||
/// This should rarely be used. Most of the time Maestro::initialize should be used instead.
|
/// This should rarely be used. Most of the time Maestro::initialize should be used instead.
|
||||||
pub fn new_without_initialization(inventory: Inventory, topology: T) -> Self {
|
pub fn new_without_initialization(inventory: Inventory, topology: T) -> Self {
|
||||||
|
let topology_name = topology.name().to_string();
|
||||||
|
|
||||||
Self {
|
Self {
|
||||||
inventory,
|
inventory,
|
||||||
topology,
|
topology,
|
||||||
scores: Arc::new(RwLock::new(Vec::new())),
|
scores: Arc::new(RwLock::new(Vec::new())),
|
||||||
topology_preparation_result: None.into(),
|
topology_state: TopologyState::new(topology_name),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub async fn initialize(inventory: Inventory, topology: T) -> Result<Self, InterpretError> {
|
pub async fn initialize(inventory: Inventory, topology: T) -> Result<Self, PreparationError> {
|
||||||
let instance = Self::new_without_initialization(inventory, topology);
|
let mut instance = Self::new_without_initialization(inventory, topology);
|
||||||
instance.prepare_topology().await?;
|
instance.prepare_topology().await?;
|
||||||
Ok(instance)
|
Ok(instance)
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Ensures the associated Topology is ready for operations.
|
/// Ensures the associated Topology is ready for operations.
|
||||||
/// Delegates the readiness check and potential setup actions to the Topology.
|
/// Delegates the readiness check and potential setup actions to the Topology.
|
||||||
pub async fn prepare_topology(&self) -> Result<Outcome, InterpretError> {
|
async fn prepare_topology(&mut self) -> Result<PreparationOutcome, PreparationError> {
|
||||||
instrumentation::instrument(HarmonyEvent::PrepareTopologyStarted {
|
self.topology_state.prepare();
|
||||||
topology: self.topology.name().to_string(),
|
|
||||||
})
|
|
||||||
.unwrap();
|
|
||||||
|
|
||||||
let outcome = self.topology.ensure_ready().await?;
|
let result = self.topology.ensure_ready().await;
|
||||||
|
|
||||||
instrumentation::instrument(HarmonyEvent::TopologyPrepared {
|
match result {
|
||||||
topology: self.topology.name().to_string(),
|
Ok(outcome) => {
|
||||||
outcome: outcome.clone(),
|
match outcome.clone() {
|
||||||
})
|
PreparationOutcome::Success { details } => {
|
||||||
.unwrap();
|
self.topology_state.success(details);
|
||||||
|
}
|
||||||
self.topology_preparation_result
|
PreparationOutcome::Noop => {
|
||||||
.lock()
|
self.topology_state.noop();
|
||||||
.unwrap()
|
}
|
||||||
.replace(outcome.clone());
|
};
|
||||||
Ok(outcome)
|
Ok(outcome)
|
||||||
|
}
|
||||||
|
Err(err) => {
|
||||||
|
self.topology_state.error(err.to_string());
|
||||||
|
Err(err)
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn register_all(&mut self, mut scores: ScoreVec<T>) {
|
pub fn register_all(&mut self, mut scores: ScoreVec<T>) {
|
||||||
@ -68,12 +73,7 @@ impl<T: Topology> Maestro<T> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
fn is_topology_initialized(&self) -> bool {
|
fn is_topology_initialized(&self) -> bool {
|
||||||
let result = self.topology_preparation_result.lock().unwrap();
|
self.topology_state.status == TopologyStatus::Success
|
||||||
if let Some(outcome) = result.as_ref() {
|
|
||||||
matches!(outcome.status, InterpretStatus::SUCCESS)
|
|
||||||
} else {
|
|
||||||
false
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
pub async fn interpret(&self, score: Box<dyn Score<T>>) -> Result<Outcome, InterpretError> {
|
pub async fn interpret(&self, score: Box<dyn Score<T>>) -> Result<Outcome, InterpretError> {
|
||||||
|
@ -4,8 +4,6 @@ use harmony_types::net::MacAddress;
|
|||||||
use log::info;
|
use log::info;
|
||||||
|
|
||||||
use crate::executors::ExecutorError;
|
use crate::executors::ExecutorError;
|
||||||
use crate::interpret::InterpretError;
|
|
||||||
use crate::interpret::Outcome;
|
|
||||||
|
|
||||||
use super::DHCPStaticEntry;
|
use super::DHCPStaticEntry;
|
||||||
use super::DhcpServer;
|
use super::DhcpServer;
|
||||||
@ -19,6 +17,8 @@ use super::K8sclient;
|
|||||||
use super::LoadBalancer;
|
use super::LoadBalancer;
|
||||||
use super::LoadBalancerService;
|
use super::LoadBalancerService;
|
||||||
use super::LogicalHost;
|
use super::LogicalHost;
|
||||||
|
use super::PreparationError;
|
||||||
|
use super::PreparationOutcome;
|
||||||
use super::Router;
|
use super::Router;
|
||||||
use super::TftpServer;
|
use super::TftpServer;
|
||||||
|
|
||||||
@ -48,7 +48,7 @@ impl Topology for HAClusterTopology {
|
|||||||
fn name(&self) -> &str {
|
fn name(&self) -> &str {
|
||||||
"HAClusterTopology"
|
"HAClusterTopology"
|
||||||
}
|
}
|
||||||
async fn ensure_ready(&self) -> Result<Outcome, InterpretError> {
|
async fn ensure_ready(&self) -> Result<PreparationOutcome, PreparationError> {
|
||||||
todo!(
|
todo!(
|
||||||
"ensure_ready, not entirely sure what it should do here, probably something like verify that the hosts are reachable and all services are up and ready."
|
"ensure_ready, not entirely sure what it should do here, probably something like verify that the hosts are reachable and all services are up and ready."
|
||||||
)
|
)
|
||||||
@ -244,10 +244,12 @@ impl Topology for DummyInfra {
|
|||||||
todo!()
|
todo!()
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn ensure_ready(&self) -> Result<Outcome, InterpretError> {
|
async fn ensure_ready(&self) -> Result<PreparationOutcome, PreparationError> {
|
||||||
let dummy_msg = "This is a dummy infrastructure that does nothing";
|
let dummy_msg = "This is a dummy infrastructure that does nothing";
|
||||||
info!("{dummy_msg}");
|
info!("{dummy_msg}");
|
||||||
Ok(Outcome::success(dummy_msg.to_string()))
|
Ok(PreparationOutcome::Success {
|
||||||
|
details: dummy_msg.into(),
|
||||||
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -7,7 +7,7 @@ use tokio::sync::OnceCell;
|
|||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
executors::ExecutorError,
|
executors::ExecutorError,
|
||||||
interpret::{InterpretError, InterpretStatus, Outcome},
|
interpret::InterpretStatus,
|
||||||
inventory::Inventory,
|
inventory::Inventory,
|
||||||
modules::{
|
modules::{
|
||||||
k3d::K3DInstallationScore,
|
k3d::K3DInstallationScore,
|
||||||
@ -24,7 +24,8 @@ use crate::{
|
|||||||
};
|
};
|
||||||
|
|
||||||
use super::{
|
use super::{
|
||||||
DeploymentTarget, HelmCommand, K8sclient, MultiTargetTopology, Topology,
|
DeploymentTarget, HelmCommand, K8sclient, MultiTargetTopology, PreparationError,
|
||||||
|
PreparationOutcome, Topology,
|
||||||
k8s::K8sClient,
|
k8s::K8sClient,
|
||||||
oberservability::monitoring::AlertReceiver,
|
oberservability::monitoring::AlertReceiver,
|
||||||
tenant::{TenantConfig, TenantManager, k8s::K8sTenantManager},
|
tenant::{TenantConfig, TenantManager, k8s::K8sTenantManager},
|
||||||
@ -74,22 +75,31 @@ impl PrometheusApplicationMonitoring<CRDPrometheus> for K8sAnywhereTopology {
|
|||||||
sender: &CRDPrometheus,
|
sender: &CRDPrometheus,
|
||||||
inventory: &Inventory,
|
inventory: &Inventory,
|
||||||
receivers: Option<Vec<Box<dyn AlertReceiver<CRDPrometheus>>>>,
|
receivers: Option<Vec<Box<dyn AlertReceiver<CRDPrometheus>>>>,
|
||||||
) -> Result<Outcome, InterpretError> {
|
) -> Result<PreparationOutcome, PreparationError> {
|
||||||
let po_result = self.ensure_prometheus_operator(sender).await?;
|
let po_result = self.ensure_prometheus_operator(sender).await?;
|
||||||
|
|
||||||
if po_result.status == InterpretStatus::NOOP {
|
if po_result == PreparationOutcome::Noop {
|
||||||
debug!("Skipping Prometheus CR installation due to missing operator.");
|
debug!("Skipping Prometheus CR installation due to missing operator.");
|
||||||
return Ok(Outcome::noop());
|
return Ok(po_result);
|
||||||
}
|
}
|
||||||
self.get_k8s_prometheus_application_score(sender.clone(), receivers)
|
|
||||||
|
let result = self
|
||||||
|
.get_k8s_prometheus_application_score(sender.clone(), receivers)
|
||||||
.await
|
.await
|
||||||
.create_interpret()
|
.create_interpret()
|
||||||
.execute(inventory, self)
|
.execute(inventory, self)
|
||||||
.await?;
|
.await;
|
||||||
|
|
||||||
Ok(Outcome::success(
|
match result {
|
||||||
"No action, working on cluster ".to_string(),
|
Ok(outcome) => match outcome.status {
|
||||||
))
|
InterpretStatus::SUCCESS => Ok(PreparationOutcome::Success {
|
||||||
|
details: outcome.message,
|
||||||
|
}),
|
||||||
|
InterpretStatus::NOOP => Ok(PreparationOutcome::Noop),
|
||||||
|
_ => Err(PreparationError::new(outcome.message)),
|
||||||
|
},
|
||||||
|
Err(err) => Err(PreparationError::new(err.to_string())),
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -160,15 +170,24 @@ impl K8sAnywhereTopology {
|
|||||||
K3DInstallationScore::default()
|
K3DInstallationScore::default()
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn try_install_k3d(&self) -> Result<(), InterpretError> {
|
async fn try_install_k3d(&self) -> Result<(), PreparationError> {
|
||||||
self.get_k3d_installation_score()
|
let result = self
|
||||||
|
.get_k3d_installation_score()
|
||||||
.create_interpret()
|
.create_interpret()
|
||||||
.execute(&Inventory::empty(), self)
|
.execute(&Inventory::empty(), self)
|
||||||
.await?;
|
.await;
|
||||||
Ok(())
|
|
||||||
|
match result {
|
||||||
|
Ok(outcome) => match outcome.status {
|
||||||
|
InterpretStatus::SUCCESS => Ok(()),
|
||||||
|
InterpretStatus::NOOP => Ok(()),
|
||||||
|
_ => Err(PreparationError::new(outcome.message)),
|
||||||
|
},
|
||||||
|
Err(err) => Err(PreparationError::new(err.to_string())),
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn try_get_or_install_k8s_client(&self) -> Result<Option<K8sState>, InterpretError> {
|
async fn try_get_or_install_k8s_client(&self) -> Result<Option<K8sState>, PreparationError> {
|
||||||
let k8s_anywhere_config = &self.config;
|
let k8s_anywhere_config = &self.config;
|
||||||
|
|
||||||
// TODO this deserves some refactoring, it is becoming a bit hard to figure out
|
// TODO this deserves some refactoring, it is becoming a bit hard to figure out
|
||||||
@ -187,7 +206,7 @@ impl K8sAnywhereTopology {
|
|||||||
}));
|
}));
|
||||||
}
|
}
|
||||||
None => {
|
None => {
|
||||||
return Err(InterpretError::new(format!(
|
return Err(PreparationError::new(format!(
|
||||||
"Failed to load kubeconfig from {kubeconfig}"
|
"Failed to load kubeconfig from {kubeconfig}"
|
||||||
)));
|
)));
|
||||||
}
|
}
|
||||||
@ -261,11 +280,11 @@ impl K8sAnywhereTopology {
|
|||||||
async fn ensure_prometheus_operator(
|
async fn ensure_prometheus_operator(
|
||||||
&self,
|
&self,
|
||||||
sender: &CRDPrometheus,
|
sender: &CRDPrometheus,
|
||||||
) -> Result<Outcome, InterpretError> {
|
) -> Result<PreparationOutcome, PreparationError> {
|
||||||
let status = Command::new("sh")
|
let status = Command::new("sh")
|
||||||
.args(["-c", "kubectl get crd -A | grep -i prometheuses"])
|
.args(["-c", "kubectl get crd -A | grep -i prometheuses"])
|
||||||
.status()
|
.status()
|
||||||
.map_err(|e| InterpretError::new(format!("could not connect to cluster: {}", e)))?;
|
.map_err(|e| PreparationError::new(format!("could not connect to cluster: {}", e)))?;
|
||||||
|
|
||||||
if !status.success() {
|
if !status.success() {
|
||||||
if let Some(Some(k8s_state)) = self.k8s_state.get() {
|
if let Some(Some(k8s_state)) = self.k8s_state.get() {
|
||||||
@ -274,30 +293,40 @@ impl K8sAnywhereTopology {
|
|||||||
debug!("installing prometheus operator");
|
debug!("installing prometheus operator");
|
||||||
let op_score =
|
let op_score =
|
||||||
prometheus_operator_helm_chart_score(sender.namespace.clone());
|
prometheus_operator_helm_chart_score(sender.namespace.clone());
|
||||||
op_score
|
let result = op_score
|
||||||
.create_interpret()
|
.create_interpret()
|
||||||
.execute(&Inventory::empty(), self)
|
.execute(&Inventory::empty(), self)
|
||||||
.await?;
|
.await;
|
||||||
return Ok(Outcome::success(
|
|
||||||
"installed prometheus operator".to_string(),
|
return match result {
|
||||||
));
|
Ok(outcome) => match outcome.status {
|
||||||
|
InterpretStatus::SUCCESS => Ok(PreparationOutcome::Success {
|
||||||
|
details: "installed prometheus operator".into(),
|
||||||
|
}),
|
||||||
|
InterpretStatus::NOOP => Ok(PreparationOutcome::Noop),
|
||||||
|
_ => Err(PreparationError::new(
|
||||||
|
"failed to install prometheus operator (unknown error)".into(),
|
||||||
|
)),
|
||||||
|
},
|
||||||
|
Err(err) => Err(PreparationError::new(err.to_string())),
|
||||||
|
};
|
||||||
}
|
}
|
||||||
K8sSource::Kubeconfig => {
|
K8sSource::Kubeconfig => {
|
||||||
debug!("unable to install prometheus operator, contact cluster admin");
|
debug!("unable to install prometheus operator, contact cluster admin");
|
||||||
return Ok(Outcome::noop());
|
return Ok(PreparationOutcome::Noop);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
warn!("Unable to detect k8s_state. Skipping Prometheus Operator install.");
|
warn!("Unable to detect k8s_state. Skipping Prometheus Operator install.");
|
||||||
return Ok(Outcome::noop());
|
return Ok(PreparationOutcome::Noop);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
debug!("Prometheus operator is already present, skipping install");
|
debug!("Prometheus operator is already present, skipping install");
|
||||||
|
|
||||||
Ok(Outcome::success(
|
Ok(PreparationOutcome::Success {
|
||||||
"prometheus operator present in cluster".to_string(),
|
details: "prometheus operator present in cluster".into(),
|
||||||
))
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -356,26 +385,25 @@ impl Topology for K8sAnywhereTopology {
|
|||||||
"K8sAnywhereTopology"
|
"K8sAnywhereTopology"
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn ensure_ready(&self) -> Result<Outcome, InterpretError> {
|
async fn ensure_ready(&self) -> Result<PreparationOutcome, PreparationError> {
|
||||||
let k8s_state = self
|
let k8s_state = self
|
||||||
.k8s_state
|
.k8s_state
|
||||||
.get_or_try_init(|| self.try_get_or_install_k8s_client())
|
.get_or_try_init(|| self.try_get_or_install_k8s_client())
|
||||||
.await?;
|
.await?;
|
||||||
|
|
||||||
let k8s_state: &K8sState = k8s_state.as_ref().ok_or(InterpretError::new(
|
let k8s_state: &K8sState = k8s_state.as_ref().ok_or(PreparationError::new(
|
||||||
"No K8s client could be found or installed".to_string(),
|
"no K8s client could be found or installed".to_string(),
|
||||||
))?;
|
))?;
|
||||||
|
|
||||||
self.ensure_k8s_tenant_manager()
|
self.ensure_k8s_tenant_manager()
|
||||||
.await
|
.await
|
||||||
.map_err(InterpretError::new)?;
|
.map_err(PreparationError::new)?;
|
||||||
|
|
||||||
match self.is_helm_available() {
|
match self.is_helm_available() {
|
||||||
Ok(()) => Ok(Outcome::success(format!(
|
Ok(()) => Ok(PreparationOutcome::Success {
|
||||||
"{} + helm available",
|
details: format!("{} + helm available", k8s_state.message.clone()),
|
||||||
k8s_state.message.clone()
|
}),
|
||||||
))),
|
Err(e) => Err(PreparationError::new(format!("helm unavailable: {}", e))),
|
||||||
Err(e) => Err(InterpretError::new(format!("helm unavailable: {}", e))),
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -1,9 +1,7 @@
|
|||||||
use async_trait::async_trait;
|
use async_trait::async_trait;
|
||||||
use derive_new::new;
|
use derive_new::new;
|
||||||
|
|
||||||
use crate::interpret::{InterpretError, Outcome};
|
use super::{HelmCommand, PreparationError, PreparationOutcome, Topology};
|
||||||
|
|
||||||
use super::{HelmCommand, Topology};
|
|
||||||
|
|
||||||
#[derive(new)]
|
#[derive(new)]
|
||||||
pub struct LocalhostTopology;
|
pub struct LocalhostTopology;
|
||||||
@ -14,10 +12,10 @@ impl Topology for LocalhostTopology {
|
|||||||
"LocalHostTopology"
|
"LocalHostTopology"
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn ensure_ready(&self) -> Result<Outcome, InterpretError> {
|
async fn ensure_ready(&self) -> Result<PreparationOutcome, PreparationError> {
|
||||||
Ok(Outcome::success(
|
Ok(PreparationOutcome::Success {
|
||||||
"Localhost is Chuck Norris, always ready.".to_string(),
|
details: "Localhost is Chuck Norris, always ready.".into(),
|
||||||
))
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -6,6 +6,7 @@ mod k8s_anywhere;
|
|||||||
mod localhost;
|
mod localhost;
|
||||||
pub mod oberservability;
|
pub mod oberservability;
|
||||||
pub mod tenant;
|
pub mod tenant;
|
||||||
|
use derive_new::new;
|
||||||
pub use k8s_anywhere::*;
|
pub use k8s_anywhere::*;
|
||||||
pub use localhost::*;
|
pub use localhost::*;
|
||||||
pub mod k8s;
|
pub mod k8s;
|
||||||
@ -26,10 +27,13 @@ pub use tftp::*;
|
|||||||
mod helm_command;
|
mod helm_command;
|
||||||
pub use helm_command::*;
|
pub use helm_command::*;
|
||||||
|
|
||||||
|
use super::{
|
||||||
|
executors::ExecutorError,
|
||||||
|
instrumentation::{self, HarmonyEvent},
|
||||||
|
};
|
||||||
|
use std::error::Error;
|
||||||
use std::net::IpAddr;
|
use std::net::IpAddr;
|
||||||
|
|
||||||
use super::interpret::{InterpretError, Outcome};
|
|
||||||
|
|
||||||
/// Represents a logical view of an infrastructure environment providing specific capabilities.
|
/// Represents a logical view of an infrastructure environment providing specific capabilities.
|
||||||
///
|
///
|
||||||
/// A Topology acts as a self-contained "package" responsible for managing access
|
/// A Topology acts as a self-contained "package" responsible for managing access
|
||||||
@ -57,9 +61,128 @@ pub trait Topology: Send + Sync {
|
|||||||
/// * **Internal Orchestration:** For complex topologies, this method might manage dependencies on other sub-topologies, ensuring *their* `ensure_ready` is called first. Using nested `Maestros` to run setup `Scores` against these sub-topologies is the recommended pattern for non-trivial bootstrapping, allowing reuse of Harmony's core orchestration logic.
|
/// * **Internal Orchestration:** For complex topologies, this method might manage dependencies on other sub-topologies, ensuring *their* `ensure_ready` is called first. Using nested `Maestros` to run setup `Scores` against these sub-topologies is the recommended pattern for non-trivial bootstrapping, allowing reuse of Harmony's core orchestration logic.
|
||||||
///
|
///
|
||||||
/// # Returns
|
/// # Returns
|
||||||
/// - `Ok(Outcome)`: Indicates the topology is now ready. The `Outcome` status might be `SUCCESS` if actions were taken, or `NOOP` if it was already ready. The message should provide context.
|
/// - `Ok(PreparationOutcome)`: Indicates the topology is now ready. The `Outcome` status might be `SUCCESS` if actions were taken, or `NOOP` if it was already ready. The message should provide context.
|
||||||
/// - `Err(TopologyError)`: Indicates the topology could not reach a ready state due to configuration issues, discovery failures, bootstrap errors, or unsupported environments.
|
/// - `Err(PreparationError)`: Indicates the topology could not reach a ready state due to configuration issues, discovery failures, bootstrap errors, or unsupported environments.
|
||||||
async fn ensure_ready(&self) -> Result<Outcome, InterpretError>;
|
async fn ensure_ready(&self) -> Result<PreparationOutcome, PreparationError>;
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
||||||
|
pub enum PreparationOutcome {
|
||||||
|
Success { details: String },
|
||||||
|
Noop,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Clone, new)]
|
||||||
|
pub struct PreparationError {
|
||||||
|
msg: String,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl std::fmt::Display for PreparationError {
|
||||||
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
|
f.write_str(&self.msg)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Error for PreparationError {}
|
||||||
|
|
||||||
|
impl From<ExecutorError> for PreparationError {
|
||||||
|
fn from(value: ExecutorError) -> Self {
|
||||||
|
Self {
|
||||||
|
msg: format!("InterpretError : {value}"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<kube::Error> for PreparationError {
|
||||||
|
fn from(value: kube::Error) -> Self {
|
||||||
|
Self {
|
||||||
|
msg: format!("PreparationError : {value}"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<String> for PreparationError {
|
||||||
|
fn from(value: String) -> Self {
|
||||||
|
Self {
|
||||||
|
msg: format!("PreparationError : {value}"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Clone, Debug, PartialEq)]
|
||||||
|
pub enum TopologyStatus {
|
||||||
|
Queued,
|
||||||
|
Preparing,
|
||||||
|
Success,
|
||||||
|
Noop,
|
||||||
|
Error,
|
||||||
|
}
|
||||||
|
|
||||||
|
pub struct TopologyState {
|
||||||
|
pub topology: String,
|
||||||
|
pub status: TopologyStatus,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl TopologyState {
|
||||||
|
pub fn new(topology: String) -> Self {
|
||||||
|
let instance = Self {
|
||||||
|
topology,
|
||||||
|
status: TopologyStatus::Queued,
|
||||||
|
};
|
||||||
|
|
||||||
|
instrumentation::instrument(HarmonyEvent::TopologyStateChanged {
|
||||||
|
topology: instance.topology.clone(),
|
||||||
|
status: instance.status.clone(),
|
||||||
|
message: None,
|
||||||
|
})
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
instance
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn prepare(&mut self) {
|
||||||
|
self.status = TopologyStatus::Preparing;
|
||||||
|
|
||||||
|
instrumentation::instrument(HarmonyEvent::TopologyStateChanged {
|
||||||
|
topology: self.topology.clone(),
|
||||||
|
status: self.status.clone(),
|
||||||
|
message: None,
|
||||||
|
})
|
||||||
|
.unwrap();
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn success(&mut self, message: String) {
|
||||||
|
self.status = TopologyStatus::Success;
|
||||||
|
|
||||||
|
instrumentation::instrument(HarmonyEvent::TopologyStateChanged {
|
||||||
|
topology: self.topology.clone(),
|
||||||
|
status: self.status.clone(),
|
||||||
|
message: Some(message),
|
||||||
|
})
|
||||||
|
.unwrap();
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn noop(&mut self) {
|
||||||
|
self.status = TopologyStatus::Noop;
|
||||||
|
|
||||||
|
instrumentation::instrument(HarmonyEvent::TopologyStateChanged {
|
||||||
|
topology: self.topology.clone(),
|
||||||
|
status: self.status.clone(),
|
||||||
|
message: None,
|
||||||
|
})
|
||||||
|
.unwrap();
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn error(&mut self, message: String) {
|
||||||
|
self.status = TopologyStatus::Error;
|
||||||
|
|
||||||
|
instrumentation::instrument(HarmonyEvent::TopologyStateChanged {
|
||||||
|
topology: self.topology.clone(),
|
||||||
|
status: self.status.clone(),
|
||||||
|
message: Some(message),
|
||||||
|
})
|
||||||
|
.unwrap();
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug)]
|
||||||
|
@ -15,7 +15,7 @@ use k8s_openapi::{
|
|||||||
apimachinery::pkg::util::intstr::IntOrString,
|
apimachinery::pkg::util::intstr::IntOrString,
|
||||||
};
|
};
|
||||||
use kube::Resource;
|
use kube::Resource;
|
||||||
use log::{debug, info, warn};
|
use log::debug;
|
||||||
use serde::de::DeserializeOwned;
|
use serde::de::DeserializeOwned;
|
||||||
use serde_json::json;
|
use serde_json::json;
|
||||||
use tokio::sync::OnceCell;
|
use tokio::sync::OnceCell;
|
||||||
@ -43,8 +43,7 @@ impl K8sTenantManager {
|
|||||||
}
|
}
|
||||||
|
|
||||||
fn ensure_constraints(&self, _namespace: &Namespace) -> Result<(), ExecutorError> {
|
fn ensure_constraints(&self, _namespace: &Namespace) -> Result<(), ExecutorError> {
|
||||||
warn!("Validate that when tenant already exists (by id) that name has not changed");
|
// TODO: Ensure constraints are applied to namespace (https://git.nationtech.io/NationTech/harmony/issues/98)
|
||||||
warn!("Make sure other Tenant constraints are respected by this k8s implementation");
|
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -433,13 +432,14 @@ impl TenantManager for K8sTenantManager {
|
|||||||
debug!("Creating network_policy for tenant {}", config.name);
|
debug!("Creating network_policy for tenant {}", config.name);
|
||||||
self.apply_resource(network_policy, config).await?;
|
self.apply_resource(network_policy, config).await?;
|
||||||
|
|
||||||
info!(
|
debug!(
|
||||||
"Success provisionning K8s tenant id {} name {}",
|
"Success provisionning K8s tenant id {} name {}",
|
||||||
config.id, config.name
|
config.id, config.name
|
||||||
);
|
);
|
||||||
self.store_config(config);
|
self.store_config(config);
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn get_tenant_config(&self) -> Option<TenantConfig> {
|
async fn get_tenant_config(&self) -> Option<TenantConfig> {
|
||||||
self.k8s_tenant_config.get().cloned()
|
self.k8s_tenant_config.get().cloned()
|
||||||
}
|
}
|
||||||
|
@ -13,7 +13,7 @@ use crate::{
|
|||||||
prometheus::prometheus::PrometheusApplicationMonitoring,
|
prometheus::prometheus::PrometheusApplicationMonitoring,
|
||||||
},
|
},
|
||||||
score::Score,
|
score::Score,
|
||||||
topology::{Topology, oberservability::monitoring::AlertReceiver},
|
topology::{PreparationOutcome, Topology, oberservability::monitoring::AlertReceiver},
|
||||||
};
|
};
|
||||||
|
|
||||||
#[derive(Debug, Clone, Serialize)]
|
#[derive(Debug, Clone, Serialize)]
|
||||||
@ -51,13 +51,21 @@ impl<T: Topology + PrometheusApplicationMonitoring<CRDPrometheus>> Interpret<T>
|
|||||||
inventory: &Inventory,
|
inventory: &Inventory,
|
||||||
topology: &T,
|
topology: &T,
|
||||||
) -> Result<Outcome, InterpretError> {
|
) -> Result<Outcome, InterpretError> {
|
||||||
topology
|
let result = topology
|
||||||
.install_prometheus(
|
.install_prometheus(
|
||||||
&self.score.sender,
|
&self.score.sender,
|
||||||
inventory,
|
inventory,
|
||||||
Some(self.score.receivers.clone()),
|
Some(self.score.receivers.clone()),
|
||||||
)
|
)
|
||||||
.await
|
.await;
|
||||||
|
|
||||||
|
match result {
|
||||||
|
Ok(outcome) => match outcome {
|
||||||
|
PreparationOutcome::Success { details } => Ok(Outcome::success(details)),
|
||||||
|
PreparationOutcome::Noop => Ok(Outcome::noop()),
|
||||||
|
},
|
||||||
|
Err(err) => Err(InterpretError::from(err)),
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
fn get_name(&self) -> InterpretName {
|
fn get_name(&self) -> InterpretName {
|
||||||
|
@ -1,9 +1,11 @@
|
|||||||
use async_trait::async_trait;
|
use async_trait::async_trait;
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
interpret::{InterpretError, Outcome},
|
|
||||||
inventory::Inventory,
|
inventory::Inventory,
|
||||||
topology::oberservability::monitoring::{AlertReceiver, AlertSender},
|
topology::{
|
||||||
|
PreparationError, PreparationOutcome,
|
||||||
|
oberservability::monitoring::{AlertReceiver, AlertSender},
|
||||||
|
},
|
||||||
};
|
};
|
||||||
|
|
||||||
#[async_trait]
|
#[async_trait]
|
||||||
@ -13,5 +15,5 @@ pub trait PrometheusApplicationMonitoring<S: AlertSender> {
|
|||||||
sender: &S,
|
sender: &S,
|
||||||
inventory: &Inventory,
|
inventory: &Inventory,
|
||||||
receivers: Option<Vec<Box<dyn AlertReceiver<S>>>>,
|
receivers: Option<Vec<Box<dyn AlertReceiver<S>>>>,
|
||||||
) -> Result<Outcome, InterpretError>;
|
) -> Result<PreparationOutcome, PreparationError>;
|
||||||
}
|
}
|
||||||
|
@ -1,4 +1,7 @@
|
|||||||
use harmony::instrumentation::{self, HarmonyEvent};
|
use harmony::{
|
||||||
|
instrumentation::{self, HarmonyEvent},
|
||||||
|
topology::TopologyStatus,
|
||||||
|
};
|
||||||
use indicatif::{MultiProgress, ProgressBar};
|
use indicatif::{MultiProgress, ProgressBar};
|
||||||
use indicatif_log_bridge::LogWrapper;
|
use indicatif_log_bridge::LogWrapper;
|
||||||
use std::{
|
use std::{
|
||||||
@ -47,52 +50,90 @@ async fn handle_events() {
|
|||||||
|
|
||||||
match event {
|
match event {
|
||||||
HarmonyEvent::HarmonyStarted => {}
|
HarmonyEvent::HarmonyStarted => {}
|
||||||
HarmonyEvent::PrepareTopologyStarted { topology: name } => {
|
HarmonyEvent::TopologyStateChanged {
|
||||||
let section = progress::new_section(format!(
|
topology,
|
||||||
"{} Preparing environment: {name}...",
|
status,
|
||||||
crate::theme::EMOJI_TOPOLOGY,
|
message,
|
||||||
));
|
|
||||||
(*sections).insert(name, section);
|
|
||||||
}
|
|
||||||
HarmonyEvent::TopologyPrepared {
|
|
||||||
topology: name,
|
|
||||||
outcome,
|
|
||||||
} => {
|
} => {
|
||||||
let section = (*sections).get(&name).unwrap();
|
let section_key = topology_key(&topology);
|
||||||
let progress = progress::add_spinner(section, "".into());
|
|
||||||
|
|
||||||
match outcome.status {
|
match status {
|
||||||
harmony::interpret::InterpretStatus::SUCCESS => {
|
TopologyStatus::Queued => {}
|
||||||
progress::success(section, Some(progress), outcome.message);
|
TopologyStatus::Preparing => {
|
||||||
|
let section = progress::new_section(format!(
|
||||||
|
"{} Preparing environment: {topology}...",
|
||||||
|
crate::theme::EMOJI_TOPOLOGY,
|
||||||
|
));
|
||||||
|
(*sections).insert(section_key, section);
|
||||||
}
|
}
|
||||||
harmony::interpret::InterpretStatus::FAILURE => {
|
TopologyStatus::Success => {
|
||||||
progress::error(section, Some(progress), outcome.message);
|
let section = (*sections).get(§ion_key).unwrap();
|
||||||
|
let progress = progress::add_spinner(section, "".into());
|
||||||
|
|
||||||
|
progress::success(
|
||||||
|
section,
|
||||||
|
Some(progress),
|
||||||
|
message.unwrap_or("".into()),
|
||||||
|
);
|
||||||
|
|
||||||
|
(*sections).remove(§ion_key);
|
||||||
}
|
}
|
||||||
harmony::interpret::InterpretStatus::RUNNING => todo!(),
|
TopologyStatus::Noop => {
|
||||||
harmony::interpret::InterpretStatus::QUEUED => todo!(),
|
let section = (*sections).get(§ion_key).unwrap();
|
||||||
harmony::interpret::InterpretStatus::BLOCKED => todo!(),
|
let progress = progress::add_spinner(section, "".into());
|
||||||
harmony::interpret::InterpretStatus::NOOP => {
|
|
||||||
progress::skip(section, Some(progress), outcome.message);
|
progress::skip(
|
||||||
|
section,
|
||||||
|
Some(progress),
|
||||||
|
message.unwrap_or("".into()),
|
||||||
|
);
|
||||||
|
|
||||||
|
(*sections).remove(§ion_key);
|
||||||
|
}
|
||||||
|
TopologyStatus::Error => {
|
||||||
|
let section = (*sections).get(§ion_key).unwrap();
|
||||||
|
let progress = progress::add_spinner(section, "".into());
|
||||||
|
|
||||||
|
progress::error(
|
||||||
|
section,
|
||||||
|
Some(progress),
|
||||||
|
message.unwrap_or("".into()),
|
||||||
|
);
|
||||||
|
|
||||||
|
(*sections).remove(§ion_key);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
HarmonyEvent::InterpretExecutionStarted {
|
HarmonyEvent::InterpretExecutionStarted {
|
||||||
interpret: name,
|
|
||||||
topology,
|
topology,
|
||||||
|
interpret,
|
||||||
message,
|
message,
|
||||||
} => {
|
} => {
|
||||||
let section = (*sections).get(&topology).unwrap();
|
let section_key = if (*sections).contains_key(&topology_key(&topology)) {
|
||||||
|
topology_key(&topology)
|
||||||
|
} else {
|
||||||
|
interpret_key(&interpret)
|
||||||
|
};
|
||||||
|
let section = (*sections).get(§ion_key).unwrap();
|
||||||
let progress_bar = progress::add_spinner(section, message);
|
let progress_bar = progress::add_spinner(section, message);
|
||||||
|
|
||||||
(*progress_bars).insert(name, progress_bar);
|
(*progress_bars).insert(interpret_key(&interpret), progress_bar);
|
||||||
}
|
}
|
||||||
HarmonyEvent::InterpretExecutionFinished {
|
HarmonyEvent::InterpretExecutionFinished {
|
||||||
topology,
|
topology,
|
||||||
interpret: name,
|
interpret,
|
||||||
outcome,
|
outcome,
|
||||||
} => {
|
} => {
|
||||||
let section = (*sections).get(&topology).unwrap();
|
let has_topology = (*sections).contains_key(&topology_key(&topology));
|
||||||
let progress_bar = (*progress_bars).get(&name).cloned();
|
let section_key = if has_topology {
|
||||||
|
topology_key(&topology)
|
||||||
|
} else {
|
||||||
|
interpret_key(&interpret)
|
||||||
|
};
|
||||||
|
|
||||||
|
let section = (*sections).get(§ion_key).unwrap();
|
||||||
|
let progress_bar =
|
||||||
|
(*progress_bars).get(&interpret_key(&interpret)).cloned();
|
||||||
|
|
||||||
let _ = section.clear();
|
let _ = section.clear();
|
||||||
|
|
||||||
@ -105,7 +146,9 @@ async fn handle_events() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
(*progress_bars).remove(&name);
|
if !has_topology {
|
||||||
|
(*progress_bars).remove(§ion_key);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
true
|
true
|
||||||
@ -114,3 +157,11 @@ async fn handle_events() {
|
|||||||
})
|
})
|
||||||
.await;
|
.await;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
fn topology_key(topology: &str) -> String {
|
||||||
|
format!("topology-{topology}")
|
||||||
|
}
|
||||||
|
|
||||||
|
fn interpret_key(interpret: &str) -> String {
|
||||||
|
format!("interpret-{interpret}")
|
||||||
|
}
|
||||||
|
@ -20,7 +20,7 @@ mod instrumentation;
|
|||||||
#[derive(Parser)]
|
#[derive(Parser)]
|
||||||
#[command(version, about, long_about = None, flatten_help = true, propagate_version = true)]
|
#[command(version, about, long_about = None, flatten_help = true, propagate_version = true)]
|
||||||
struct GlobalArgs {
|
struct GlobalArgs {
|
||||||
#[arg(long, default_value = "harmony")]
|
#[arg(long, default_value = ".")]
|
||||||
harmony_path: String,
|
harmony_path: String,
|
||||||
|
|
||||||
#[arg(long)]
|
#[arg(long)]
|
||||||
|
@ -1,5 +1,5 @@
|
|||||||
use futures_util::StreamExt;
|
use futures_util::StreamExt;
|
||||||
use log::{debug, info, warn};
|
use log::{debug, warn};
|
||||||
use sha2::{Digest, Sha256};
|
use sha2::{Digest, Sha256};
|
||||||
use std::io::Read;
|
use std::io::Read;
|
||||||
use std::path::PathBuf;
|
use std::path::PathBuf;
|
||||||
@ -45,7 +45,7 @@ pub(crate) struct DownloadableAsset {
|
|||||||
impl DownloadableAsset {
|
impl DownloadableAsset {
|
||||||
fn verify_checksum(&self, file: PathBuf) -> bool {
|
fn verify_checksum(&self, file: PathBuf) -> bool {
|
||||||
if !file.exists() {
|
if !file.exists() {
|
||||||
warn!("File does not exist: {:?}", file);
|
debug!("File does not exist: {:?}", file);
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -155,7 +155,7 @@ impl DownloadableAsset {
|
|||||||
return Err(CHECKSUM_FAILED_MSG.to_string());
|
return Err(CHECKSUM_FAILED_MSG.to_string());
|
||||||
}
|
}
|
||||||
|
|
||||||
info!(
|
debug!(
|
||||||
"File downloaded and verified successfully: {}",
|
"File downloaded and verified successfully: {}",
|
||||||
target_file_path.to_string_lossy()
|
target_file_path.to_string_lossy()
|
||||||
);
|
);
|
||||||
|
@ -64,7 +64,6 @@ impl K3d {
|
|||||||
.text()
|
.text()
|
||||||
.await
|
.await
|
||||||
.unwrap();
|
.unwrap();
|
||||||
println!("body: {body}");
|
|
||||||
|
|
||||||
let checksum = body
|
let checksum = body
|
||||||
.lines()
|
.lines()
|
||||||
@ -104,8 +103,7 @@ impl K3d {
|
|||||||
.get_latest()
|
.get_latest()
|
||||||
.await
|
.await
|
||||||
.map_err(|e| e.to_string())?;
|
.map_err(|e| e.to_string())?;
|
||||||
// debug!("Got k3d releases {releases:#?}");
|
debug!("Got k3d releases {latest_release:#?}");
|
||||||
println!("Got k3d first releases {latest_release:#?}");
|
|
||||||
|
|
||||||
Ok(latest_release)
|
Ok(latest_release)
|
||||||
}
|
}
|
||||||
|
Loading…
Reference in New Issue
Block a user