1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
use crate::lexer::token::TokenKind;
use crate::parser::ast::identifiers::SimpleIdentifier;
use crate::parser::ast::interfaces::InterfaceBody;
use crate::parser::ast::interfaces::InterfaceExtends;
use crate::parser::ast::interfaces::InterfaceMember;
use crate::parser::ast::interfaces::InterfaceStatement;
use crate::parser::ast::Statement;
use crate::parser::error::ParseResult;
use crate::parser::internal::attributes;
use crate::parser::internal::constants;
use crate::parser::internal::functions::method;
use crate::parser::internal::functions::Method;
use crate::parser::internal::functions::MethodType;
use crate::parser::internal::identifiers;
use crate::parser::internal::modifiers;
use crate::parser::internal::utils;
use crate::parser::state::State;
pub fn parse(state: &mut State) -> ParseResult<Statement> {
let span = utils::skip(state, TokenKind::Interface)?;
let name = identifiers::type_identifier(state)?;
let current = state.stream.current();
let extends = if current.kind == TokenKind::Extends {
let span = current.span;
state.stream.next();
let parents =
utils::at_least_one_comma_separated_no_trailing::<SimpleIdentifier>(state, &|state| {
identifiers::full_type_name(state)
})?;
Some(InterfaceExtends {
extends: span,
parents,
})
} else {
None
};
let attributes = state.get_attributes();
let body = InterfaceBody {
left_brace: utils::skip_left_brace(state)?,
members: {
let mut members = Vec::new();
while state.stream.current().kind != TokenKind::RightBrace {
members.push(member(state, &name)?);
}
members
},
right_brace: utils::skip_right_brace(state)?,
};
Ok(Statement::Interface(InterfaceStatement {
interface: span,
name,
attributes,
extends,
body,
}))
}
fn member(state: &mut State, interface_name: &SimpleIdentifier) -> ParseResult<InterfaceMember> {
attributes::gather_attributes(state)?;
let modifiers = modifiers::collect(state)?;
if state.stream.current().kind == TokenKind::Const {
constants::classish(state, modifiers::interface_constant_group(modifiers)?)
.map(InterfaceMember::Constant)
} else {
let method = method(
state,
MethodType::Abstract,
modifiers::interface_method_group(modifiers)?,
Some(interface_name),
)?;
match method {
Method::Abstract(method) => Ok(InterfaceMember::Method(method)),
Method::AbstractConstructor(ctor) => Ok(InterfaceMember::Constructor(ctor)),
Method::ConcreteConstructor(_) | Method::Concrete(_) => unreachable!(),
}
}
}