use std::fmt;
use crate::{Docs, Ident, Render, RenderOpts, StandaloneFunc, TypeDef};
#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct Interface {
pub(crate) name: Ident,
pub(crate) items: Vec<InterfaceItem>,
pub(crate) docs: Option<Docs>,
}
impl Interface {
pub fn new(name: impl Into<Ident>) -> Self {
Self {
name: name.into(),
items: vec![],
docs: None,
}
}
pub fn type_def(&mut self, type_def: TypeDef) {
self.items.push(InterfaceItem::TypeDef(type_def));
}
pub fn function(&mut self, function: StandaloneFunc) {
self.items.push(InterfaceItem::Function(function));
}
pub fn items(&self) -> &[InterfaceItem] {
&self.items
}
pub fn functions_mut(&mut self) -> &mut Vec<InterfaceItem> {
&mut self.items
}
pub fn docs(&mut self, docs: Option<impl Into<Docs>>) {
self.docs = docs.map(|d| d.into());
}
}
#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub enum InterfaceItem {
TypeDef(TypeDef),
Function(StandaloneFunc),
}
pub type InterfaceItems = Vec<InterfaceItem>;
impl Render for InterfaceItems {
fn render(&self, f: &mut fmt::Formatter<'_>, opts: &RenderOpts) -> fmt::Result {
for item in self {
match item {
InterfaceItem::TypeDef(type_def) => {
type_def.render(f, opts)?;
}
InterfaceItem::Function(func) => {
if let Some(docs) = &func.docs {
docs.render(f, opts)?;
}
write!(f, "{}{}: func({})", opts.spaces(), func.name, func.params,)?;
if !func.results.is_empty() {
write!(f, " -> {}", func.results)?;
}
write!(f, ";\n")?;
}
}
}
Ok(())
}
}