use std::fmt::{self, Write};
use crate::body::Body;
use crate::formatter::Formatter;
#[derive(Debug, Clone)]
pub struct Block {
before: Option<String>,
after: Option<String>,
body: Vec<Body>,
}
impl Block {
pub fn new(before: &str) -> Self {
Block {
before: Some(before.to_string()),
after: None,
body: vec![],
}
}
pub fn line<T>(&mut self, line: T) -> &mut Self
where
T: ToString,
{
self.body.push(Body::String(line.to_string()));
self
}
pub fn push_block(&mut self, block: Block) -> &mut Self {
self.body.push(Body::Block(block));
self
}
pub fn after(&mut self, after: &str) -> &mut Self {
self.after = Some(after.to_string());
self
}
pub fn fmt(&self, fmt: &mut Formatter<'_>) -> fmt::Result {
if let Some(ref before) = self.before {
write!(fmt, "{}", before)?;
}
if !fmt.is_start_of_line() {
write!(fmt, " ")?;
}
write!(fmt, "{{\n")?;
fmt.indent(|fmt| {
for b in &self.body {
b.fmt(fmt)?;
}
Ok(())
})?;
write!(fmt, "}}")?;
if let Some(ref after) = self.after {
write!(fmt, "{}", after)?;
}
write!(fmt, "\n")?;
Ok(())
}
}