flowey_cli/pipeline_resolver/
common_yaml.rsuse crate::cli::exec_snippet::FloweyPipelineStaticDb;
use crate::cli::pipeline::CheckMode;
use crate::pipeline_resolver::generic::ResolvedPipelineJob;
use anyhow::Context;
use flowey_core::node::FlowArch;
use flowey_core::node::FlowPlatform;
use petgraph::visit::EdgeRef;
use serde::Serialize;
use serde_yaml::Value;
use std::collections::BTreeMap;
use std::collections::BTreeSet;
use std::io::Write;
use std::path::Path;
#[derive(Debug)]
pub(crate) enum FloweySource {
Bootstrap(String, bool),
Consume(String),
}
pub(crate) fn job_flowey_bootstrap_source(
graph: &petgraph::Graph<ResolvedPipelineJob, ()>,
order: &Vec<petgraph::prelude::NodeIndex>,
) -> BTreeMap<petgraph::prelude::NodeIndex, FloweySource> {
let mut bootstrapped_flowey = BTreeMap::new();
let mut ancestors = BTreeMap::<
petgraph::prelude::NodeIndex,
BTreeSet<(petgraph::prelude::NodeIndex, FlowPlatform, FlowArch)>,
>::new();
for idx in order {
for ancestor_idx in graph
.edges_directed(*idx, petgraph::Direction::Incoming)
.map(|e| e.source())
{
ancestors.entry(*idx).or_default().insert((
ancestor_idx,
graph[ancestor_idx].platform,
graph[ancestor_idx].arch,
));
if let Some(set) = ancestors.get(&ancestor_idx).cloned() {
ancestors.get_mut(idx).unwrap().extend(&set);
}
}
}
let mut floweyno = 0;
'outer: for idx in order {
let ancestors = ancestors.remove(idx).unwrap_or_default();
let mut elect_bootstrap = None;
for (ancestor_idx, platform, arch) in ancestors {
if platform != graph[*idx].platform || arch != graph[*idx].arch {
continue;
}
let role =
bootstrapped_flowey
.get_mut(&ancestor_idx)
.and_then(|existing| match existing {
FloweySource::Bootstrap(s, true) => Some(FloweySource::Consume(s.clone())),
FloweySource::Consume(s) => Some(FloweySource::Consume(s.clone())),
FloweySource::Bootstrap(_, false) => {
elect_bootstrap = Some(ancestor_idx);
None
}
});
if let Some(role) = role {
bootstrapped_flowey.insert(*idx, role);
continue 'outer;
}
}
if let Some(elect_bootstrap) = elect_bootstrap {
let FloweySource::Bootstrap(s, publish) =
bootstrapped_flowey.get_mut(&elect_bootstrap).unwrap()
else {
unreachable!()
};
*publish = true;
let s = s.clone();
bootstrapped_flowey.insert(*idx, FloweySource::Consume(s));
} else {
floweyno += 1;
let platform = graph[*idx].platform;
let arch = graph[*idx].arch;
bootstrapped_flowey.insert(
*idx,
FloweySource::Bootstrap(
format!("_internal-flowey-bootstrap-{arch}-{platform}-uid-{floweyno}"),
false,
),
);
}
}
bootstrapped_flowey
}
fn check_or_write_generated_yaml_and_json<T>(
pipeline: &T,
pipeline_static_db: &FloweyPipelineStaticDb,
mode: CheckMode,
repo_root: &Path,
pipeline_file: &Path,
ado_post_process_yaml_cb: Option<Box<dyn FnOnce(Value) -> Value>>,
) -> anyhow::Result<()>
where
T: Serialize,
{
let generated_yaml =
serde_yaml::to_value(pipeline).context("while serializing pipeline yaml")?;
let generated_yaml = if let Some(ado_post_process_yaml_cb) = ado_post_process_yaml_cb {
ado_post_process_yaml_cb(generated_yaml)
} else {
generated_yaml
};
let generated_yaml =
serde_yaml::to_string(&generated_yaml).context("while emitting pipeline yaml")?;
let generated_yaml = format!(
r#"
##############################
# THIS FILE IS AUTOGENERATED #
# DO NOT MANUALLY EDIT #
##############################
{generated_yaml}"#
);
let generated_yaml = generated_yaml.trim_start();
let generated_json =
serde_json::to_string_pretty(pipeline_static_db).context("while emitting pipeline json")?;
match mode {
CheckMode::Runtime(ref check_file) | CheckMode::Check(ref check_file) => {
let existing_yaml = fs_err::read_to_string(check_file)
.context("cannot check pipeline that doesn't exist!")?;
let yaml_out_of_date = existing_yaml != generated_yaml;
if yaml_out_of_date {
println!(
"generated yaml {}:\n==========\n{generated_yaml}",
generated_yaml.len()
);
println!(
"existing yaml {}:\n==========\n{existing_yaml}",
existing_yaml.len()
);
}
if yaml_out_of_date {
anyhow::bail!("checked in pipeline YAML is out of date! run `cargo xflowey regen`")
}
if let CheckMode::Runtime(_) = mode {
let mut f = fs_err::File::create(check_file.with_extension("json"))?;
f.write_all(generated_json.as_bytes())
.context("while emitting pipeline database json")?;
}
Ok(())
}
CheckMode::None => {
let out_yaml_path = repo_root.join(pipeline_file);
let mut f = fs_err::File::create(out_yaml_path)?;
f.write_all(generated_yaml.as_bytes())
.context("while emitting pipeline yaml")?;
Ok(())
}
}
}
pub(crate) fn check_generated_yaml_and_json<T>(
pipeline: &T,
pipeline_static_db: &FloweyPipelineStaticDb,
check: CheckMode,
repo_root: &Path,
pipeline_file: &Path,
ado_post_process_yaml_cb: Option<Box<dyn FnOnce(Value) -> Value>>,
) -> anyhow::Result<()>
where
T: Serialize,
{
check_or_write_generated_yaml_and_json(
pipeline,
pipeline_static_db,
check,
repo_root,
pipeline_file,
ado_post_process_yaml_cb,
)
}
pub(crate) fn write_generated_yaml_and_json<T>(
pipeline: &T,
pipeline_static_db: &FloweyPipelineStaticDb,
repo_root: &Path,
pipeline_file: &Path,
ado_post_process_yaml_cb: Option<Box<dyn FnOnce(Value) -> Value>>,
) -> anyhow::Result<()>
where
T: Serialize,
{
check_or_write_generated_yaml_and_json(
pipeline,
pipeline_static_db,
CheckMode::None,
repo_root,
pipeline_file,
ado_post_process_yaml_cb,
)
}
pub(crate) struct BashCommands {
commands: Vec<String>,
label: Option<String>,
can_merge: bool,
github: bool,
}
impl BashCommands {
pub fn new_github() -> Self {
Self {
commands: Vec::new(),
label: None,
can_merge: true,
github: true,
}
}
pub fn new_ado() -> Self {
Self {
commands: Vec::new(),
label: None,
can_merge: true,
github: false,
}
}
#[must_use]
pub fn push(
&mut self,
label: Option<String>,
can_merge: bool,
mut cmd: String,
) -> Option<Value> {
let val = if !can_merge && !self.can_merge {
self.flush()
} else {
None
};
if !can_merge || self.label.is_none() {
self.label = label;
}
cmd.truncate(cmd.trim_end().len());
self.commands.push(cmd);
self.can_merge &= can_merge;
val
}
pub fn push_minor(&mut self, cmd: String) {
assert!(self.push(None, true, cmd).is_none());
}
#[must_use]
pub fn flush(&mut self) -> Option<Value> {
if self.commands.is_empty() {
return None;
}
let label = if self.commands.len() == 1 || !self.can_merge {
self.label.take()
} else {
None
};
let label = label.unwrap_or_else(|| "🦀 flowey rust steps".into());
let map = if self.github {
let commands = self.commands.join("\n");
serde_yaml::Mapping::from_iter([
("name".into(), label.into()),
("run".into(), commands.into()),
("shell".into(), "bash".into()),
])
} else {
let commands = if self.commands.len() == 1 {
self.commands.drain(..).next().unwrap()
} else {
self.commands.insert(0, "set -e".into());
self.commands.join("\n")
};
serde_yaml::Mapping::from_iter([
("bash".into(), commands.into()),
("displayName".into(), label.into()),
])
};
self.commands.clear();
self.can_merge = true;
Some(map.into())
}
}