forge_doc/parser/
item.rs

1use crate::{error::ParserResult, Comments};
2use forge_fmt::{
3    solang_ext::SafeUnwrap, Comments as FmtComments, Formatter, FormatterConfig, InlineConfig,
4    Visitor,
5};
6use solang_parser::pt::{
7    ContractDefinition, ContractTy, EnumDefinition, ErrorDefinition, EventDefinition,
8    FunctionDefinition, StructDefinition, TypeDefinition, VariableDefinition,
9};
10
11/// The parsed item.
12#[derive(Debug, PartialEq)]
13pub struct ParseItem {
14    /// The parse tree source.
15    pub source: ParseSource,
16    /// Item comments.
17    pub comments: Comments,
18    /// Children items.
19    pub children: Vec<ParseItem>,
20    /// Formatted code string.
21    pub code: String,
22}
23
24/// Defines a method that filters [ParseItem]'s children and returns the source pt token of the
25/// children matching the target variant as well as its comments.
26/// Returns [Option::None] if no children matching the variant are found.
27macro_rules! filter_children_fn {
28    ($vis:vis fn $name:ident(&self, $variant:ident) -> $ret:ty) => {
29        /// Filter children items for [ParseSource::$variant] variants.
30        $vis fn $name(&self) -> Option<Vec<(&$ret, &Comments, &String)>> {
31            let items = self.children.iter().filter_map(|item| match item.source {
32                ParseSource::$variant(ref inner) => Some((inner, &item.comments, &item.code)),
33                _ => None,
34            });
35            let items = items.collect::<Vec<_>>();
36            if !items.is_empty() {
37                Some(items)
38            } else {
39                None
40            }
41        }
42    };
43}
44
45/// Defines a method that returns [ParseSource] inner element if it matches
46/// the variant
47macro_rules! as_inner_source {
48    ($vis:vis fn $name:ident(&self, $variant:ident) -> $ret:ty) => {
49        /// Return inner element if it matches $variant.
50        /// If the element doesn't match, returns [None]
51        $vis fn $name(&self) -> Option<&$ret> {
52            match self.source {
53                ParseSource::$variant(ref inner) => Some(inner),
54                _ => None
55            }
56        }
57    };
58}
59
60impl ParseItem {
61    /// Create new instance of [ParseItem].
62    pub fn new(source: ParseSource) -> Self {
63        Self {
64            source,
65            comments: Default::default(),
66            children: Default::default(),
67            code: Default::default(),
68        }
69    }
70
71    /// Set comments on the [ParseItem].
72    pub fn with_comments(mut self, comments: Comments) -> Self {
73        self.comments = comments;
74        self
75    }
76
77    /// Set children on the [ParseItem].
78    pub fn with_children(mut self, children: Vec<Self>) -> Self {
79        self.children = children;
80        self
81    }
82
83    /// Set formatted code on the [ParseItem].
84    pub fn with_code(mut self, source: &str, config: FormatterConfig) -> ParserResult<Self> {
85        let mut code = String::new();
86        let mut fmt = Formatter::new(
87            &mut code,
88            source,
89            FmtComments::default(),
90            InlineConfig::default(),
91            config,
92        );
93
94        match self.source.clone() {
95            ParseSource::Contract(mut contract) => {
96                contract.parts = vec![];
97                fmt.visit_contract(&mut contract)?
98            }
99            ParseSource::Function(mut func) => {
100                func.body = None;
101                fmt.visit_function(&mut func)?
102            }
103            ParseSource::Variable(mut var) => fmt.visit_var_definition(&mut var)?,
104            ParseSource::Event(mut event) => fmt.visit_event(&mut event)?,
105            ParseSource::Error(mut error) => fmt.visit_error(&mut error)?,
106            ParseSource::Struct(mut structure) => fmt.visit_struct(&mut structure)?,
107            ParseSource::Enum(mut enumeration) => fmt.visit_enum(&mut enumeration)?,
108            ParseSource::Type(mut ty) => fmt.visit_type_definition(&mut ty)?,
109        };
110
111        self.code = code;
112
113        Ok(self)
114    }
115
116    /// Format the item's filename.
117    pub fn filename(&self) -> String {
118        let prefix = match self.source {
119            ParseSource::Contract(ref c) => match c.ty {
120                ContractTy::Contract(_) => "contract",
121                ContractTy::Abstract(_) => "abstract",
122                ContractTy::Interface(_) => "interface",
123                ContractTy::Library(_) => "library",
124            },
125            ParseSource::Function(_) => "function",
126            ParseSource::Variable(_) => "variable",
127            ParseSource::Event(_) => "event",
128            ParseSource::Error(_) => "error",
129            ParseSource::Struct(_) => "struct",
130            ParseSource::Enum(_) => "enum",
131            ParseSource::Type(_) => "type",
132        };
133        let ident = self.source.ident();
134        format!("{prefix}.{ident}.md")
135    }
136
137    filter_children_fn!(pub fn variables(&self, Variable) -> VariableDefinition);
138    filter_children_fn!(pub fn functions(&self, Function) -> FunctionDefinition);
139    filter_children_fn!(pub fn events(&self, Event) -> EventDefinition);
140    filter_children_fn!(pub fn errors(&self, Error) -> ErrorDefinition);
141    filter_children_fn!(pub fn structs(&self, Struct) -> StructDefinition);
142    filter_children_fn!(pub fn enums(&self, Enum) -> EnumDefinition);
143
144    as_inner_source!(pub fn as_contract(&self, Contract) -> ContractDefinition);
145    as_inner_source!(pub fn as_variable(&self, Variable) -> VariableDefinition);
146    as_inner_source!(pub fn as_function(&self, Function) -> FunctionDefinition);
147}
148
149/// A wrapper type around pt token.
150#[derive(Clone, Debug, PartialEq, Eq)]
151#[allow(clippy::large_enum_variant)]
152pub enum ParseSource {
153    /// Source contract definition.
154    Contract(Box<ContractDefinition>),
155    /// Source function definition.
156    Function(FunctionDefinition),
157    /// Source variable definition.
158    Variable(VariableDefinition),
159    /// Source event definition.
160    Event(EventDefinition),
161    /// Source error definition.
162    Error(ErrorDefinition),
163    /// Source struct definition.
164    Struct(StructDefinition),
165    /// Source enum definition.
166    Enum(EnumDefinition),
167    /// Source type definition.
168    Type(TypeDefinition),
169}
170
171impl ParseSource {
172    /// Get the identity of the source
173    pub fn ident(&self) -> String {
174        match self {
175            Self::Contract(contract) => contract.name.safe_unwrap().name.to_owned(),
176            Self::Variable(var) => var.name.safe_unwrap().name.to_owned(),
177            Self::Event(event) => event.name.safe_unwrap().name.to_owned(),
178            Self::Error(error) => error.name.safe_unwrap().name.to_owned(),
179            Self::Struct(structure) => structure.name.safe_unwrap().name.to_owned(),
180            Self::Enum(enumerable) => enumerable.name.safe_unwrap().name.to_owned(),
181            Self::Function(func) => {
182                func.name.as_ref().map_or(func.ty.to_string(), |n| n.name.to_owned())
183            }
184            Self::Type(ty) => ty.name.name.to_owned(),
185        }
186    }
187}