Compare commits
No commits in common. "8c802f2a15eab96e885b42771c7fb218f7c28535" and "9f5e27b28932e5ac813214560a18e9d312eb76f4" have entirely different histories.
8c802f2a15
...
9f5e27b289
@ -1,22 +0,0 @@
|
||||
fn main()
|
||||
var x = 42
|
||||
let cl = { i: Int ->
|
||||
let result = x + i
|
||||
x += 1
|
||||
result
|
||||
}
|
||||
println cl(0) // 42
|
||||
println cl(0) // 43
|
||||
println cl(0) // 44
|
||||
end
|
||||
|
||||
fn main()
|
||||
var x = 42
|
||||
fn cl(i: Int): Int
|
||||
let result = x + 1
|
||||
x += 1
|
||||
result
|
||||
end
|
||||
println cl(0) // 42
|
||||
println cl(1) // 42
|
||||
end
|
@ -1,32 +0,0 @@
|
||||
pub hkt Functor[Self<T>]
|
||||
fn <U> map(f: fn (t: T) -> U) -> Self<U>
|
||||
end
|
||||
|
||||
pub int Iterable<T>
|
||||
fn iter() -> Iterator<T>
|
||||
end
|
||||
|
||||
pub int Iterator<T> = () -> Option<T>
|
||||
|
||||
pub enum Option<T> : Functor[Self<T>]
|
||||
Some(T),
|
||||
None;
|
||||
|
||||
fn unwrap() -> T
|
||||
self is Some(t) ? t : throw Exception('Empty Option')
|
||||
end
|
||||
|
||||
fn expect(msg: String) -> T
|
||||
self is Some(t) ? t : throw Exception(msg)
|
||||
end
|
||||
|
||||
impl Functor
|
||||
fn <U> map(f: fn (t: T) -> U) -> Self<U>
|
||||
self is Some(t) ? Some(f(t)) : None
|
||||
end
|
||||
end
|
||||
|
||||
static fn lift(t: T) -> Self<T>
|
||||
Some(t)
|
||||
end
|
||||
end
|
@ -1,14 +0,0 @@
|
||||
int Greeter
|
||||
fn greet(): Void
|
||||
end
|
||||
|
||||
class MyGreeter(greeting: String) : Greeter
|
||||
impl fn greet()
|
||||
println greeting
|
||||
end
|
||||
end
|
||||
|
||||
fn main()
|
||||
let g: Greeter = MyGreeter("Hello, World!")
|
||||
g.greet()
|
||||
end
|
@ -1,39 +0,0 @@
|
||||
fn main(args: Array<String>)
|
||||
if args[0] == 'greet' then
|
||||
println 'Hello!'
|
||||
end
|
||||
end
|
||||
|
||||
fn main(args: Array<String>)
|
||||
args.each { println it }
|
||||
end
|
||||
|
||||
fn main(args: Array<String>)
|
||||
if args.find { it == 'greet' } then
|
||||
println 'There was a greet arg'
|
||||
end
|
||||
end
|
||||
|
||||
// longer
|
||||
fn main(args: Array<String>)
|
||||
let findIndexResult: Option<Int> = args.findIndex { it == 'greet' }
|
||||
if findIndexResult.isSome() then
|
||||
let index: Int = findIndex.unwrap()
|
||||
println "greet arg was index ${index}"
|
||||
end
|
||||
end
|
||||
|
||||
// shorter with destructuring
|
||||
fn main(args: Array<String>)
|
||||
if let Some(greetIndex) = args.findIndex { it == 'greet' } then
|
||||
println "greet arg was index ${greetIndex}"
|
||||
end
|
||||
end
|
||||
|
||||
fn main(args: Array<String>)
|
||||
let parsed: CliArgs = std::cli::parse(args)
|
||||
let greetingCount = parsed.get::<Int>('--count', '-c').orElse(1)
|
||||
if let Some(greeting) = parsed.get('greeting', 'g') then
|
||||
greetingCount.times { println greeting }
|
||||
end
|
||||
end
|
@ -1,105 +0,0 @@
|
||||
pub int Display
|
||||
fn toString() -> String
|
||||
end
|
||||
|
||||
pub int LazyDisplay
|
||||
fn toLazyString() -> DString
|
||||
end
|
||||
|
||||
pub int DString : Display
|
||||
parts: Array<DStringPart>
|
||||
end
|
||||
|
||||
pub enum DStringPart
|
||||
Constant(String),
|
||||
Display(Display),
|
||||
Lazy(Fn<Display>)
|
||||
end
|
||||
|
||||
#internal
|
||||
class DStringImpl(parts) : DString
|
||||
cachedEval: Option<String>
|
||||
canCache: Option<Boolean>
|
||||
|
||||
fn getCanCache() -> Boolean
|
||||
for part in parts do
|
||||
if part is Lazy then return false end
|
||||
end
|
||||
true
|
||||
end
|
||||
|
||||
impl Display
|
||||
pub fn toString() -> String
|
||||
if cachedEval is Some(s) then
|
||||
return s
|
||||
end
|
||||
if canCache is None then
|
||||
canCache = Some(getCanCache())
|
||||
end
|
||||
// Note the groovy-like property getter
|
||||
if canCache.truthy then
|
||||
cachedEval = Some(
|
||||
parts.reduce('') { acc, part ->
|
||||
let partAsString = match part as
|
||||
Constant(s) => s,
|
||||
Display(d) => d.toString(),
|
||||
Lazy(f) => throw DumbProgrammerException(
|
||||
'Cannot cache when parts contains a Lazy.'
|
||||
)
|
||||
end
|
||||
acc + partAsString
|
||||
}
|
||||
)
|
||||
cachedEval.unwrap()
|
||||
else
|
||||
parts.reduce('') { acc, part ->
|
||||
let partAsString = match part as
|
||||
Constant(s) => s,
|
||||
Display(d) => d.toString(),
|
||||
Lazy(f) => f().toString()
|
||||
end
|
||||
acc + partAsString
|
||||
}
|
||||
end
|
||||
end
|
||||
end
|
||||
end
|
||||
|
||||
// Special "extension" implementation of Option for all T where T : Boolean
|
||||
pub int HasTruth
|
||||
fn isTruthy() -> Boolean
|
||||
end
|
||||
|
||||
impl HasTruth for Option<T> where T is Boolean
|
||||
pub fn isTruthy() -> Boolean
|
||||
self is Some(b) ? b : false
|
||||
end
|
||||
end
|
||||
|
||||
// some other file
|
||||
use std::extensions::HasTruth[Option<Boolean>]
|
||||
|
||||
fn maybeSomeOrNone -> Option<Boolean>
|
||||
Some(true)
|
||||
end
|
||||
|
||||
fn main()
|
||||
let o = maybeSomeOrNone()
|
||||
if o.truthy then
|
||||
println "It's truthy!"
|
||||
else
|
||||
println "It's falsy..."
|
||||
end
|
||||
end
|
||||
|
||||
fn stringDemo() -> Void
|
||||
let plain = 'Hello, World!'
|
||||
let x = 42
|
||||
let withDisplay = "Hello! x is $x"
|
||||
let withLazy = "Hello! x is ${ x + 42 }"
|
||||
println plain // Hello, World!
|
||||
println withDisplay // Hello! x is 42
|
||||
println withLazy // Hello! x is 84
|
||||
x += 42
|
||||
println withLazy // Hello! x is 126
|
||||
end
|
@ -1,41 +0,0 @@
|
||||
pub trait HasTruth
|
||||
fn isTruthy() -> Boolean
|
||||
|
||||
def fn isFalsy() -> Boolean = !self.truthy
|
||||
end
|
||||
|
||||
pub trait Functor[Self<T>]
|
||||
fn <U> map(f: fn (t: T) -> U) -> Self<U>
|
||||
end
|
||||
|
||||
pub trait Lift[Self<T>]
|
||||
static fn lift(t: T) -> Self<T>
|
||||
end
|
||||
|
||||
pub trait Applicative[Self<T>, U, V] : Functor[Self] + Lift[Self] where T is fn (u: U) -> V
|
||||
fn apply(us: Self<U>) -> Self<V>
|
||||
end
|
||||
|
||||
pub trait Monad[Self<T>] : Functor[Self] + Lift[Self]
|
||||
fn <U> flatMap(f: fn (t: T) -> Self<U>) -> Self<U>
|
||||
end
|
||||
|
||||
// Traits as higher-kinded types
|
||||
// - Cannot be used as concrete types, casted, etc.
|
||||
// - Cannot be constructed/instantiated
|
||||
// - Imports are different:
|
||||
// ```
|
||||
// use std::core::Option
|
||||
// use std::trait::Monad[Option<*>] // bring in Monad for all Option<*>
|
||||
// ```
|
||||
// - Once imported, fns are in scope
|
||||
// - Can also be looked-up 'dictionary' style:
|
||||
// ```
|
||||
// use std::trait::HasTruth[Option<Boolean>]
|
||||
//
|
||||
// fn main()
|
||||
// let maybeTruthy: Option<Boolean> = someOtherApiCall()
|
||||
// if HasTruth[maybeTruthy].isTruthy() then
|
||||
// println "It's truthy."
|
||||
// end
|
||||
// ```
|
@ -427,37 +427,29 @@ fn build_namespace(file_id: usize, namespace_pair: Pair<Rule>) -> FullyQualified
|
||||
|
||||
fn build_use_statement(file_id: usize, use_statement_pair: Pair<Rule>) -> UseStatement {
|
||||
let as_span = use_statement_pair.as_span();
|
||||
let range = Range {
|
||||
start: as_span.start(),
|
||||
end: as_span.end(),
|
||||
};
|
||||
|
||||
let mut inner = use_statement_pair.into_inner();
|
||||
let inner_length = inner.len();
|
||||
|
||||
inner.next().unwrap(); // use
|
||||
|
||||
let mut prefixes = vec![];
|
||||
let mut built: Option<UseStatement> = None;
|
||||
let mut identifiers = vec![];
|
||||
let mut last = None;
|
||||
|
||||
for (i, inner_pair) in inner.into_iter().enumerate() {
|
||||
if i != inner_length - 2 {
|
||||
prefixes.push(inner_pair.as_str());
|
||||
identifiers.push(Box::new(expect_and_use(
|
||||
file_id,
|
||||
inner_pair,
|
||||
Rule::Identifier,
|
||||
build_identifier,
|
||||
)));
|
||||
} else {
|
||||
built = Some(match inner_pair.as_rule() {
|
||||
Rule::Identifier => UseStatement::Concrete(ConcreteUseStatement::new(
|
||||
prefixes.iter().map(|s| s.to_string()).collect(),
|
||||
vec![Box::new(expect_and_use(
|
||||
file_id,
|
||||
inner_pair,
|
||||
Rule::Identifier,
|
||||
build_identifier,
|
||||
))],
|
||||
file_id,
|
||||
range,
|
||||
)),
|
||||
Rule::UseList => UseStatement::Concrete(ConcreteUseStatement::new(
|
||||
prefixes.iter().map(|s| s.to_string()).collect(),
|
||||
last = Some(Box::new(match inner_pair.as_rule() {
|
||||
Rule::Identifier => {
|
||||
UseStatementLast::Identifier(Box::new(build_identifier(file_id, inner_pair)))
|
||||
}
|
||||
Rule::Star => UseStatementLast::Star,
|
||||
Rule::UseList => UseStatementLast::Identifiers(
|
||||
inner_pair
|
||||
.into_inner()
|
||||
.map(|identifier_pair| {
|
||||
@ -469,20 +461,21 @@ fn build_use_statement(file_id: usize, use_statement_pair: Pair<Rule>) -> UseSta
|
||||
))
|
||||
})
|
||||
.collect(),
|
||||
file_id,
|
||||
range,
|
||||
)),
|
||||
Rule::Star => UseStatement::Star(StarUseStatement::new(
|
||||
prefixes.iter().map(|s| s.to_string()).collect(),
|
||||
file_id,
|
||||
range,
|
||||
)),
|
||||
),
|
||||
_ => unreachable!(),
|
||||
});
|
||||
}));
|
||||
}
|
||||
}
|
||||
|
||||
built.unwrap()
|
||||
UseStatement::new(
|
||||
identifiers,
|
||||
last.unwrap(),
|
||||
file_id,
|
||||
Range {
|
||||
start: as_span.start(),
|
||||
end: as_span.end(),
|
||||
},
|
||||
)
|
||||
}
|
||||
|
||||
fn build_module_level_declaration(file_id: usize, pair: Pair<Rule>) -> ModuleLevelDeclaration {
|
||||
|
@ -88,7 +88,7 @@ pub enum NodeRef<'a> {
|
||||
|
||||
pub trait NodeInner {
|
||||
fn children(&self) -> Vec<NodeRef>;
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef;
|
||||
}
|
||||
|
||||
@ -96,7 +96,7 @@ impl NodeInner for Identifier {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::Identifier(self)
|
||||
}
|
||||
@ -109,7 +109,7 @@ impl NodeInner for FullyQualifiedName {
|
||||
.map(|id| NodeRef::Identifier(*id))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::FullyQualifiedName(self)
|
||||
}
|
||||
@ -126,7 +126,7 @@ impl NodeInner for TypeUse {
|
||||
TypeUse::Function(function_type_use) => function_type_use.children(),
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::TypeUse(self)
|
||||
}
|
||||
@ -145,7 +145,7 @@ impl NodeInner for PrimitiveTypeUse {
|
||||
_ => vec![],
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::PrimitiveTypeUse(self)
|
||||
}
|
||||
@ -158,7 +158,7 @@ impl NodeInner for InterfaceOrClassTypeUse {
|
||||
children.push(NodeRef::GenericArguments(self.generics()));
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::InterfaceOrClassTypeUse(self)
|
||||
}
|
||||
@ -168,7 +168,7 @@ impl NodeInner for TupleTypeUse {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![NodeRef::TupleArguments(self.arguments())]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::TupleTypeUse(self)
|
||||
}
|
||||
@ -182,7 +182,7 @@ impl NodeInner for FunctionTypeUse {
|
||||
NodeRef::ReturnType(self.return_type()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::FunctionTypeUse(self)
|
||||
}
|
||||
@ -195,7 +195,7 @@ impl NodeInner for GenericArguments {
|
||||
.map(|type_use| NodeRef::TypeUse(*type_use))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::GenericArguments(self)
|
||||
}
|
||||
@ -208,7 +208,7 @@ impl NodeInner for GenericParameters {
|
||||
.map(|id| NodeRef::Identifier(*id))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::GenericParameters(self)
|
||||
}
|
||||
@ -221,7 +221,7 @@ impl NodeInner for TupleArguments {
|
||||
.map(|type_use| NodeRef::TypeUse(*type_use))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::TupleArguments(self)
|
||||
}
|
||||
@ -234,7 +234,7 @@ impl NodeInner for ImplementsList {
|
||||
.map(|type_use| NodeRef::TypeUse(*type_use))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ImplementsList(self)
|
||||
}
|
||||
@ -247,7 +247,7 @@ impl NodeInner for Parameters {
|
||||
.map(|parameter| NodeRef::Parameter(*parameter))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::Parameters(self)
|
||||
}
|
||||
@ -260,7 +260,7 @@ impl NodeInner for Parameter {
|
||||
NodeRef::TypeUse(self.type_use()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::Parameter(self)
|
||||
}
|
||||
@ -273,7 +273,7 @@ impl NodeInner for ReturnType {
|
||||
NodeRef::References(self.references()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ReturnType(self)
|
||||
}
|
||||
@ -286,7 +286,7 @@ impl NodeInner for References {
|
||||
.map(|identifier| NodeRef::Identifier(*identifier))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::References(self)
|
||||
}
|
||||
@ -310,7 +310,7 @@ impl NodeInner for CompilationUnit {
|
||||
);
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::CompilationUnit(self)
|
||||
}
|
||||
@ -319,18 +319,25 @@ impl NodeInner for CompilationUnit {
|
||||
impl NodeInner for UseStatement {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
let mut children = vec![];
|
||||
match self {
|
||||
UseStatement::Concrete(concrete_use_statement) => children.extend(
|
||||
concrete_use_statement
|
||||
.identifiers()
|
||||
children.extend(
|
||||
self.identifiers()
|
||||
.iter()
|
||||
.map(|identifier| NodeRef::Identifier(*identifier)),
|
||||
);
|
||||
match self.last() {
|
||||
UseStatementLast::Identifier(identifier) => {
|
||||
children.push(NodeRef::Identifier(identifier))
|
||||
}
|
||||
UseStatementLast::Identifiers(identifiers) => children.extend(
|
||||
identifiers
|
||||
.iter()
|
||||
.map(|identifier| NodeRef::Identifier(*identifier))
|
||||
.map(|identifier| NodeRef::Identifier(identifier.clone())),
|
||||
),
|
||||
UseStatement::Star(_) => {}
|
||||
UseStatementLast::Star => {}
|
||||
}
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::UseStatement(self)
|
||||
}
|
||||
@ -349,7 +356,7 @@ impl NodeInner for ModuleLevelDeclaration {
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ModuleLevelDeclaration(self)
|
||||
}
|
||||
@ -368,7 +375,7 @@ impl NodeInner for InterfaceLevelDeclaration {
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::InterfaceLevelDeclaration(self)
|
||||
}
|
||||
@ -392,7 +399,7 @@ impl NodeInner for ClassLevelDeclaration {
|
||||
Field(field_declaration) => field_declaration.children(),
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ClassLevelDeclaration(self)
|
||||
}
|
||||
@ -409,7 +416,7 @@ impl NodeInner for ModuleDeclaration {
|
||||
);
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ModuleDeclaration(self)
|
||||
}
|
||||
@ -428,7 +435,7 @@ impl NodeInner for InterfaceDeclaration {
|
||||
);
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::InterfaceDeclaration(self)
|
||||
}
|
||||
@ -450,7 +457,7 @@ impl NodeInner for ClassDeclaration {
|
||||
);
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ClassDeclaration(self)
|
||||
}
|
||||
@ -466,7 +473,7 @@ impl NodeInner for FunctionDefinition {
|
||||
NodeRef::FunctionBody(self.body()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::FunctionDefinition(self)
|
||||
}
|
||||
@ -481,7 +488,7 @@ impl NodeInner for OperatorFunctionDefinition {
|
||||
NodeRef::FunctionBody(self.body()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::OperatorFunctionDefinition(self)
|
||||
}
|
||||
@ -496,7 +503,7 @@ impl NodeInner for PlatformFunctionDeclaration {
|
||||
NodeRef::ReturnType(self.return_type()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::PlatformFunctionDeclaration(self)
|
||||
}
|
||||
@ -515,7 +522,7 @@ impl NodeInner for InterfaceFunctionDeclaration {
|
||||
}
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::InterfaceFunctionDeclaration(self)
|
||||
}
|
||||
@ -533,7 +540,7 @@ impl NodeInner for InterfaceOperatorFunctionDeclaration {
|
||||
}
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::InterfaceOperatorFunctionDeclaration(self)
|
||||
}
|
||||
@ -547,7 +554,7 @@ impl NodeInner for FunctionBody {
|
||||
Self::Alias(identifier) => vec![NodeRef::Identifier(identifier.as_ref())],
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::FunctionBody(self)
|
||||
}
|
||||
@ -560,7 +567,7 @@ impl NodeInner for ClassConstructor {
|
||||
.map(|parameter| NodeRef::ClassConstructorParameter(*parameter))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ClassConstructor(self)
|
||||
}
|
||||
@ -573,7 +580,7 @@ impl NodeInner for ClassConstructorParameter {
|
||||
Self::Field(field_declaration) => field_declaration.children(),
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ClassConstructorParameter(self)
|
||||
}
|
||||
@ -586,7 +593,7 @@ impl NodeInner for PropertyDeclaration {
|
||||
NodeRef::TypeUse(self.declared_type()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::PropertyDeclaration(self)
|
||||
}
|
||||
@ -599,7 +606,7 @@ impl NodeInner for FieldDeclaration {
|
||||
NodeRef::TypeUse(self.declared_type()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::FieldDeclaration(self)
|
||||
}
|
||||
@ -618,7 +625,7 @@ impl NodeInner for BlockStatement {
|
||||
}
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::BlockStatement(self)
|
||||
}
|
||||
@ -641,7 +648,7 @@ impl NodeInner for Statement {
|
||||
ForStatement(for_statement) => for_statement.children(),
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::Statement(self)
|
||||
}
|
||||
@ -659,7 +666,7 @@ impl NodeInner for VariableDeclarationStatement {
|
||||
}
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::VariableDeclarationStatement(self)
|
||||
}
|
||||
@ -672,7 +679,7 @@ impl NodeInner for AssignStatement {
|
||||
NodeRef::Expression(self.rhs()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::AssignStatement(self)
|
||||
}
|
||||
@ -682,7 +689,7 @@ impl NodeInner for CallStatement {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![NodeRef::Expression(self.expression())]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::CallStatement(self)
|
||||
}
|
||||
@ -696,7 +703,7 @@ impl NodeInner for ReturnStatement {
|
||||
vec![]
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ReturnStatement(self)
|
||||
}
|
||||
@ -709,7 +716,7 @@ impl NodeInner for IfStatement {
|
||||
NodeRef::BlockStatement(self.then_block()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::IfStatement(self)
|
||||
}
|
||||
@ -725,7 +732,7 @@ impl NodeInner for IfElseStatement {
|
||||
}
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::IfElseStatement(self)
|
||||
}
|
||||
@ -738,7 +745,7 @@ impl NodeInner for ElseIfs {
|
||||
.map(|statement| NodeRef::IfStatement(statement))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ElseIfs(self)
|
||||
}
|
||||
@ -748,7 +755,7 @@ impl NodeInner for ElseBlock {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![NodeRef::BlockStatement(self.block_statement())]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ElseBlock(self)
|
||||
}
|
||||
@ -761,7 +768,7 @@ impl NodeInner for WhileStatement {
|
||||
NodeRef::BlockStatement(self.body()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::WhileStatement(self)
|
||||
}
|
||||
@ -775,7 +782,7 @@ impl NodeInner for ForStatement {
|
||||
NodeRef::BlockStatement(self.body()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ForStatement(self)
|
||||
}
|
||||
@ -796,7 +803,7 @@ impl NodeInner for Expression {
|
||||
Closure(closure) => closure.children(),
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::Expression(self)
|
||||
}
|
||||
@ -810,7 +817,7 @@ impl NodeInner for TernaryExpression {
|
||||
NodeRef::Expression(self.false_expression()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::TernaryExpression(self)
|
||||
}
|
||||
@ -823,7 +830,7 @@ impl NodeInner for BinaryExpression {
|
||||
NodeRef::Expression(self.right()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::BinaryExpression(self)
|
||||
}
|
||||
@ -833,7 +840,7 @@ impl NodeInner for PrefixExpression {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![NodeRef::Expression(self.expression())]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::PrefixExpression(self)
|
||||
}
|
||||
@ -843,7 +850,7 @@ impl NodeInner for SuffixExpression {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![NodeRef::Expression(self.expression())]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::SuffixExpression(self)
|
||||
}
|
||||
@ -859,7 +866,7 @@ impl NodeInner for CallExpression {
|
||||
children.push(NodeRef::CallArguments(self.arguments()));
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::CallExpression(self)
|
||||
}
|
||||
@ -869,7 +876,7 @@ impl NodeInner for TurboFish {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![NodeRef::GenericArguments(self.generics())]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::TurboFish(self)
|
||||
}
|
||||
@ -882,7 +889,7 @@ impl NodeInner for CallArguments {
|
||||
.map(|argument| NodeRef::CallArgument(*argument))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::CallArguments(self)
|
||||
}
|
||||
@ -892,7 +899,7 @@ impl NodeInner for CallArgument {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![NodeRef::Expression(self.expression())]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::CallArgument(self)
|
||||
}
|
||||
@ -913,7 +920,7 @@ impl NodeInner for Closure {
|
||||
}
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::Closure(self)
|
||||
}
|
||||
@ -926,7 +933,7 @@ impl NodeInner for ClosureCaptures {
|
||||
.map(|capture| NodeRef::ClosureCapture(*capture))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ClosureCaptures(self)
|
||||
}
|
||||
@ -936,7 +943,7 @@ impl NodeInner for ClosureCapture {
|
||||
fn children(&self) -> Vec<NodeRef> {
|
||||
vec![NodeRef::Identifier(self.identifier())]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ClosureCapture(self)
|
||||
}
|
||||
@ -949,7 +956,7 @@ impl NodeInner for ClosureParameters {
|
||||
.map(|parameter| NodeRef::ClosureParameter(*parameter))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ClosureParameters(self)
|
||||
}
|
||||
@ -964,7 +971,7 @@ impl NodeInner for ClosureParameter {
|
||||
}
|
||||
children
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ClosureParameter(self)
|
||||
}
|
||||
@ -977,7 +984,7 @@ impl NodeInner for ObjectAccess {
|
||||
NodeRef::ObjectNavigations(self.navigations()),
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ObjectAccess(self)
|
||||
}
|
||||
@ -990,7 +997,7 @@ impl NodeInner for ObjectNavigations {
|
||||
.map(|navigation| NodeRef::ObjectNavigation(*navigation))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ObjectNavigations(self)
|
||||
}
|
||||
@ -1003,7 +1010,7 @@ impl NodeInner for ObjectNavigation {
|
||||
ObjectNavigation::Index(index_expression) => NodeRef::Expression(index_expression),
|
||||
}]
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::ObjectNavigation(self)
|
||||
}
|
||||
@ -1017,7 +1024,7 @@ impl NodeInner for Literal {
|
||||
_ => vec![],
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::Literal(self)
|
||||
}
|
||||
@ -1030,7 +1037,7 @@ impl NodeInner for DString {
|
||||
.map(|part| NodeRef::DStringPart(*part))
|
||||
.collect()
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::DString(self)
|
||||
}
|
||||
@ -1043,7 +1050,7 @@ impl NodeInner for DStringPart {
|
||||
_ => vec![],
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
fn as_node_ref(&self) -> NodeRef {
|
||||
NodeRef::DStringPart(self)
|
||||
}
|
||||
|
@ -1,48 +1,75 @@
|
||||
use crate::ast::node::named::Named;
|
||||
use crate::ast::node::names::Identifier;
|
||||
use std::borrow::Cow;
|
||||
use std::range::Range;
|
||||
|
||||
#[derive(Debug)]
|
||||
pub enum UseStatement {
|
||||
Concrete(ConcreteUseStatement),
|
||||
Star(StarUseStatement),
|
||||
}
|
||||
|
||||
#[derive(Debug)]
|
||||
pub struct ConcreteUseStatement {
|
||||
prefixes: Vec<String>,
|
||||
pub struct UseStatement {
|
||||
identifiers: Vec<Box<Identifier>>,
|
||||
last: Box<UseStatementLast>,
|
||||
file_id: usize,
|
||||
range: Range<usize>,
|
||||
}
|
||||
|
||||
impl ConcreteUseStatement {
|
||||
impl UseStatement {
|
||||
pub fn new(
|
||||
prefixes: Vec<String>,
|
||||
identifiers: Vec<Box<Identifier>>,
|
||||
last: Box<UseStatementLast>,
|
||||
file_id: usize,
|
||||
range: Range<usize>,
|
||||
) -> Self {
|
||||
ConcreteUseStatement {
|
||||
prefixes,
|
||||
UseStatement {
|
||||
identifiers,
|
||||
last,
|
||||
file_id,
|
||||
range,
|
||||
}
|
||||
}
|
||||
|
||||
pub fn prefixes(&self) -> &Vec<String> {
|
||||
&self.prefixes
|
||||
pub fn base_name(&self) -> Cow<'_, str> {
|
||||
use UseStatementLast::*;
|
||||
if self.identifiers.is_empty() {
|
||||
match self.last.as_ref() {
|
||||
Identifier(_) => Cow::from(""),
|
||||
Star | Identifiers(_) => panic!(), // should never get here because of grammar
|
||||
}
|
||||
} else if self.identifiers.len() == 1 {
|
||||
self.identifiers[0].name()
|
||||
} else {
|
||||
let mut acc = String::new();
|
||||
for (i, identifier) in self.identifiers.iter().enumerate() {
|
||||
acc.push_str(&identifier.name());
|
||||
if i != self.identifiers.len() - 1 {
|
||||
acc.push_str("::");
|
||||
}
|
||||
}
|
||||
Cow::from(acc)
|
||||
}
|
||||
}
|
||||
|
||||
pub fn join_prefixes(&self) -> String {
|
||||
self.prefixes.join("::")
|
||||
pub fn is_star(&self) -> bool {
|
||||
match self.last.as_ref() {
|
||||
UseStatementLast::Star => true,
|
||||
_ => false,
|
||||
}
|
||||
}
|
||||
|
||||
pub fn identifiers(&self) -> Vec<&Identifier> {
|
||||
self.identifiers.iter().map(Box::as_ref).collect()
|
||||
}
|
||||
|
||||
pub fn identifiers_mut(&mut self) -> Vec<&mut Identifier> {
|
||||
self.identifiers.iter_mut().map(Box::as_mut).collect()
|
||||
}
|
||||
|
||||
pub fn last(&self) -> &UseStatementLast {
|
||||
&self.last
|
||||
}
|
||||
|
||||
pub fn last_mut(&mut self) -> &mut UseStatementLast {
|
||||
&mut self.last
|
||||
}
|
||||
|
||||
pub fn file_id(&self) -> usize {
|
||||
self.file_id
|
||||
}
|
||||
@ -53,34 +80,8 @@ impl ConcreteUseStatement {
|
||||
}
|
||||
|
||||
#[derive(Debug)]
|
||||
pub struct StarUseStatement {
|
||||
prefixes: Vec<String>,
|
||||
file_id: usize,
|
||||
range: Range<usize>,
|
||||
}
|
||||
|
||||
impl StarUseStatement {
|
||||
pub fn new(prefixes: Vec<String>, file_id: usize, range: Range<usize>) -> Self {
|
||||
Self {
|
||||
prefixes,
|
||||
file_id,
|
||||
range,
|
||||
}
|
||||
}
|
||||
|
||||
pub fn prefixes(&self) -> &Vec<String> {
|
||||
&self.prefixes
|
||||
}
|
||||
|
||||
pub fn join_prefixes(&self) -> String {
|
||||
self.prefixes.join("::")
|
||||
}
|
||||
|
||||
pub fn file_id(&self) -> usize {
|
||||
self.file_id
|
||||
}
|
||||
|
||||
pub fn range(&self) -> Range<usize> {
|
||||
self.range
|
||||
}
|
||||
pub enum UseStatementLast {
|
||||
Identifier(Box<Identifier>),
|
||||
Identifiers(Vec<Box<Identifier>>),
|
||||
Star,
|
||||
}
|
||||
|
@ -320,28 +320,6 @@ impl PrettyPrint for CompilationUnit {
|
||||
}
|
||||
}
|
||||
|
||||
impl PrettyPrint for UseStatement {
|
||||
fn pretty_print(&self, writer: &mut IndentWriter) -> std::io::Result<()> {
|
||||
writer.writeln_indented("UseStatement")?;
|
||||
writer.increase_indent();
|
||||
match self {
|
||||
UseStatement::Concrete(concrete_use_statement) => {
|
||||
writer.writeln_indented(&format!("ConcreteUseStatement(prefixes = {})", concrete_use_statement.join_prefixes()))?;
|
||||
writer.increase_indent();
|
||||
for identifier in concrete_use_statement.identifiers() {
|
||||
identifier.pretty_print(writer)?;
|
||||
}
|
||||
writer.decrease_indent();
|
||||
}
|
||||
UseStatement::Star(star_use_statement) => {
|
||||
writer.writeln_indented(&format!("StarUseStatement(prefixes = {})", star_use_statement.join_prefixes()))?;
|
||||
}
|
||||
}
|
||||
writer.decrease_indent();
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
impl PrettyPrint for ModuleLevelDeclaration {
|
||||
fn pretty_print(&self, writer: &mut IndentWriter) -> std::io::Result<()> {
|
||||
use crate::ast::node::level::ModuleLevelDeclaration::*;
|
||||
@ -640,6 +618,39 @@ impl PrettyPrint for FieldDeclaration {
|
||||
}
|
||||
}
|
||||
|
||||
impl PrettyPrint for UseStatement {
|
||||
fn pretty_print(&self, writer: &mut IndentWriter) -> std::io::Result<()> {
|
||||
writer.writeln_indented("UseStatement")?;
|
||||
writer.increase_indent();
|
||||
for identifier in self.identifiers() {
|
||||
identifier.pretty_print(writer)?;
|
||||
}
|
||||
self.last().pretty_print(writer)?;
|
||||
writer.decrease_indent();
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
impl PrettyPrint for UseStatementLast {
|
||||
fn pretty_print(&self, writer: &mut IndentWriter) -> std::io::Result<()> {
|
||||
writer.writeln_indented("UseStatementLast")?;
|
||||
writer.increase_indent();
|
||||
match self {
|
||||
UseStatementLast::Identifier(i) => i.pretty_print(writer)?,
|
||||
UseStatementLast::Identifiers(is) => {
|
||||
for i in is {
|
||||
i.pretty_print(writer)?;
|
||||
}
|
||||
}
|
||||
UseStatementLast::Star => {
|
||||
writer.writeln_indented("Star")?;
|
||||
}
|
||||
}
|
||||
writer.decrease_indent();
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
impl PrettyPrint for BlockStatement {
|
||||
fn pretty_print(&self, writer: &mut IndentWriter) -> std::io::Result<()> {
|
||||
writer.writeln_indented("BlockStatement")?;
|
||||
|
@ -410,31 +410,38 @@ impl Unparse for CompilationUnit {
|
||||
impl Unparse for UseStatement {
|
||||
fn unparse(&self, writer: &mut IndentWriter) -> std::io::Result<()> {
|
||||
writer.write_indented("use ")?;
|
||||
match self {
|
||||
UseStatement::Concrete(concrete_use_statement) => {
|
||||
writer.write(&format!("{}::", concrete_use_statement.join_prefixes()))?;
|
||||
let identifiers = concrete_use_statement.identifiers();
|
||||
if identifiers.len() == 1 {
|
||||
identifiers[0].unparse(writer)?;
|
||||
} else {
|
||||
writer.write("{")?;
|
||||
for (i, identifier) in identifiers.iter().enumerate() {
|
||||
identifier.unparse(writer)?;
|
||||
if i != identifiers.len() - 1 {
|
||||
writer.write(", ")?;
|
||||
}
|
||||
}
|
||||
writer.write("}")?;
|
||||
}
|
||||
},
|
||||
UseStatement::Star(star_use_statement) => {
|
||||
writer.write(&format!("{}::*", star_use_statement.join_prefixes()))?;
|
||||
for (i, identifier) in self.identifiers().iter().enumerate() {
|
||||
identifier.unparse(writer)?;
|
||||
if i != self.identifiers().len() - 2 {
|
||||
// 2 because of use
|
||||
writer.write("::")?;
|
||||
}
|
||||
}
|
||||
self.last().unparse(writer)?;
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
impl Unparse for UseStatementLast {
|
||||
fn unparse(&self, writer: &mut IndentWriter) -> std::io::Result<()> {
|
||||
match self {
|
||||
UseStatementLast::Star => writer.write("*"),
|
||||
UseStatementLast::Identifiers(identifiers) => {
|
||||
writer.write("{")?;
|
||||
for (i, identifier) in identifiers.iter().enumerate() {
|
||||
identifier.unparse(writer)?;
|
||||
if i != identifiers.len() - 1 {
|
||||
writer.write(", ")?;
|
||||
}
|
||||
}
|
||||
writer.write("}")?;
|
||||
Ok(())
|
||||
}
|
||||
UseStatementLast::Identifier(i) => i.unparse(writer),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/* Declarations allowed in each level */
|
||||
|
||||
impl Unparse for ModuleLevelDeclaration {
|
||||
|
@ -364,7 +364,21 @@ fn gather_use_statement(
|
||||
fqn_context: &mut FqnContext,
|
||||
diagnostics: &mut Vec<DmDiagnostic>,
|
||||
) {
|
||||
todo!()
|
||||
if use_statement.is_star() {
|
||||
todo!()
|
||||
}
|
||||
let base_name = use_statement.base_name().to_string();
|
||||
match use_statement.last_mut() {
|
||||
UseStatementLast::Identifier(identifier) => {
|
||||
handle_use_statement_import(symbol_table, &base_name, identifier, diagnostics)
|
||||
}
|
||||
UseStatementLast::Identifiers(identifiers) => {
|
||||
for identifier in identifiers {
|
||||
handle_use_statement_import(symbol_table, &base_name, identifier, diagnostics)
|
||||
}
|
||||
}
|
||||
UseStatementLast::Star => panic!(),
|
||||
}
|
||||
}
|
||||
|
||||
/* Declarations allowed in each level */
|
||||
|
@ -56,6 +56,7 @@ mod tests {
|
||||
use super::*;
|
||||
use crate::ast::build::build_ast;
|
||||
use crate::ast::children::NodeRef;
|
||||
use crate::ast::node::use_statement::UseStatementLast;
|
||||
use crate::ast::walk::walk_depth_first;
|
||||
use crate::parser::{DeimosParser, Rule};
|
||||
use crate::std_core::add_std_core_symbols;
|
||||
@ -125,7 +126,25 @@ mod tests {
|
||||
panic!("{:?} does not have a saved symbol.", fqn)
|
||||
}
|
||||
}
|
||||
NodeRef::UseStatement(use_statement) => match use_statement {
|
||||
NodeRef::UseStatement(use_statement) => match use_statement.last() {
|
||||
UseStatementLast::Identifier(identifier) => {
|
||||
if identifier.saved_symbol().is_none() {
|
||||
panic!(
|
||||
"UseStatement {:?} does not have a saved symbol.",
|
||||
identifier
|
||||
)
|
||||
}
|
||||
}
|
||||
UseStatementLast::Identifiers(identifiers) => {
|
||||
for identifier in identifiers {
|
||||
if identifier.saved_symbol().is_none() {
|
||||
panic!(
|
||||
"UseStatement {:?} does not have a saved symbol.",
|
||||
identifier
|
||||
)
|
||||
}
|
||||
}
|
||||
}
|
||||
_ => todo!(),
|
||||
},
|
||||
_ => {}
|
||||
@ -134,7 +153,35 @@ mod tests {
|
||||
|
||||
fn assert_resolved_symbols(compilation_unit: &CompilationUnit) {
|
||||
walk_depth_first(compilation_unit, &mut |node_ref| match node_ref {
|
||||
NodeRef::UseStatement(use_statement) => match use_statement {
|
||||
NodeRef::UseStatement(use_statement) => match use_statement.last() {
|
||||
UseStatementLast::Identifier(identifier) => {
|
||||
let use_statement_symbol = identifier
|
||||
.saved_symbol()
|
||||
.unwrap()
|
||||
.unwrap_use_statement_symbol();
|
||||
let borrowed = use_statement_symbol.borrow();
|
||||
if borrowed.referenced_symbol().is_none() {
|
||||
panic!(
|
||||
"{:?} does not have a referenced symbol.",
|
||||
use_statement_symbol
|
||||
)
|
||||
}
|
||||
}
|
||||
UseStatementLast::Identifiers(identifiers) => {
|
||||
for identifier in identifiers {
|
||||
let use_statement_symbol = identifier
|
||||
.saved_symbol()
|
||||
.unwrap()
|
||||
.unwrap_use_statement_symbol();
|
||||
let borrowed = use_statement_symbol.borrow();
|
||||
if borrowed.referenced_symbol().is_none() {
|
||||
panic!(
|
||||
"{:?} does not have a referenced symbol.",
|
||||
use_statement_symbol
|
||||
)
|
||||
}
|
||||
}
|
||||
}
|
||||
_ => todo!(),
|
||||
},
|
||||
_ => {}
|
||||
|
@ -260,7 +260,36 @@ fn resolve_use_statement(
|
||||
symbol_table: &mut SymbolTable,
|
||||
diagnostics: &mut Vec<DmDiagnostic>,
|
||||
) {
|
||||
todo!()
|
||||
let file_id = use_statement.file_id();
|
||||
let use_statement_range = use_statement.range();
|
||||
let base_name = use_statement.base_name().to_string();
|
||||
|
||||
match use_statement.last_mut() {
|
||||
UseStatementLast::Identifier(identifier) => {
|
||||
handle_use_statement_identifier(
|
||||
identifier.deref_mut(),
|
||||
&base_name,
|
||||
symbol_table,
|
||||
diagnostics,
|
||||
file_id,
|
||||
use_statement_range,
|
||||
);
|
||||
}
|
||||
UseStatementLast::Identifiers(identifiers) => {
|
||||
for identifier in identifiers {
|
||||
let identifier_range = identifier.range();
|
||||
handle_use_statement_identifier(
|
||||
identifier.deref_mut(),
|
||||
&base_name,
|
||||
symbol_table,
|
||||
diagnostics,
|
||||
file_id,
|
||||
identifier_range,
|
||||
)
|
||||
}
|
||||
}
|
||||
UseStatementLast::Star => todo!("star imports"),
|
||||
}
|
||||
}
|
||||
|
||||
/* Declarations allowed in each level */
|
||||
|
@ -28,7 +28,15 @@ impl SourceDefinition {
|
||||
range: borrowed.range(),
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
#[deprecated(note = "Use identifier instead.")]
|
||||
pub fn from_use_statement(use_statement: &UseStatement) -> Self {
|
||||
SourceDefinition {
|
||||
file_id: use_statement.file_id(),
|
||||
range: use_statement.range(),
|
||||
}
|
||||
}
|
||||
|
||||
pub fn file_id(&self) -> usize {
|
||||
self.file_id
|
||||
}
|
||||
|
@ -333,20 +333,6 @@ Namespace = {
|
||||
~ FullyQualifiedName
|
||||
}
|
||||
|
||||
UseStatement = {
|
||||
Use
|
||||
~ Identifier
|
||||
~ ( "::" ~ Identifier )*
|
||||
~ ( "::" ~ ( Star | UseList ) )?
|
||||
}
|
||||
|
||||
UseList = {
|
||||
"{"
|
||||
~ Identifier
|
||||
~ ( "," ~ Identifier )*
|
||||
~ "}"
|
||||
}
|
||||
|
||||
// Organizational declarations
|
||||
|
||||
ModuleLevelDeclaration = {
|
||||
@ -537,6 +523,20 @@ Field = {
|
||||
|
||||
// Statements
|
||||
|
||||
UseStatement = {
|
||||
Use
|
||||
~ Identifier
|
||||
~ ( "::" ~ Identifier )*
|
||||
~ ( "::" ~ ( Star | UseList ) )?
|
||||
}
|
||||
|
||||
UseList = {
|
||||
"{"
|
||||
~ Identifier
|
||||
~ ( "," ~ Identifier )*
|
||||
~ "}"
|
||||
}
|
||||
|
||||
BlockStatement = {
|
||||
"{"
|
||||
~ Statement*
|
||||
|
Loading…
Reference in New Issue
Block a user