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
use crate::ast::{self, kw};
use crate::parser::{Parse, Parser, Result};

/// An `import` statement and entry in a WebAssembly module.
#[derive(Debug)]
pub struct Import<'a> {
    /// Where this `import` was defined
    pub span: ast::Span,
    /// The module that this statement is importing from
    pub module: &'a str,
    /// The name of the field in the module this statement imports from.
    pub name: &'a str,
    /// An optional identifier to refer to this import as in the rest of the
    /// module.
    pub id: Option<ast::Id<'a>>,
    /// What kind of item is being imported.
    pub kind: ImportKind<'a>,
}

/// All possible types of items that can be imported into a wasm module.
#[derive(Debug)]
#[allow(missing_docs)]
pub enum ImportKind<'a> {
    Func(ast::TypeUse<'a>),
    Table(ast::TableType),
    Memory(ast::MemoryType),
    Global(ast::GlobalType),
}

impl<'a> Parse<'a> for Import<'a> {
    fn parse(parser: Parser<'a>) -> Result<Self> {
        let span = parser.parse::<kw::import>()?.0;
        let module = parser.parse()?;
        let name = parser.parse()?;
        let (id, kind) = parser.parens(|parser| {
            let mut l = parser.lookahead1();
            if l.peek::<kw::func>() {
                parser.parse::<kw::func>()?;
                Ok((parser.parse()?, ImportKind::Func(parser.parse()?)))
            } else if l.peek::<kw::table>() {
                parser.parse::<kw::table>()?;
                Ok((parser.parse()?, ImportKind::Table(parser.parse()?)))
            } else if l.peek::<kw::memory>() {
                parser.parse::<kw::memory>()?;
                Ok((parser.parse()?, ImportKind::Memory(parser.parse()?)))
            } else if l.peek::<kw::global>() {
                parser.parse::<kw::global>()?;
                Ok((parser.parse()?, ImportKind::Global(parser.parse()?)))
            } else {
                Err(l.error())
            }
        })?;
        Ok(Import {
            span,
            module,
            name,
            id,
            kind,
        })
    }
}