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
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
// Copyright (c) The Move Contributors
// SPDX-License-Identifier: Apache-2.0

use std::fmt::{self, Display};

use anyhow::bail;
use move_core_types::{
    account_address::AccountAddress,
    identifier::{self, Identifier},
    language_storage::{StructTag, TypeTag},
};

use crate::{address::ParsedAddress, parser::Token};

#[derive(Eq, PartialEq, Debug, Clone, Copy)]
pub enum TypeToken {
    Whitespace,
    Ident,
    AddressIdent,
    ColonColon,
    Lt,
    Gt,
    Comma,
}

#[derive(Eq, PartialEq, Debug, Clone)]
pub struct ParsedStructType {
    pub address: ParsedAddress,
    pub module: String,
    pub name: String,
    pub type_args: Vec<ParsedType>,
}

#[derive(Eq, PartialEq, Debug, Clone)]
pub enum ParsedType {
    U8,
    U64,
    U128,
    Bool,
    Address,
    Signer,
    Vector(Box<ParsedType>),
    Struct(ParsedStructType),
}

impl Display for TypeToken {
    fn fmt<'f>(&self, formatter: &mut fmt::Formatter<'f>) -> Result<(), fmt::Error> {
        let s = match *self {
            TypeToken::Whitespace => "[whitespace]",
            TypeToken::Ident => "[identifier]",
            TypeToken::AddressIdent => "[address]",
            TypeToken::ColonColon => "::",
            TypeToken::Lt => "<",
            TypeToken::Gt => ">",
            TypeToken::Comma => ",",
        };
        fmt::Display::fmt(s, formatter)
    }
}

impl Token for TypeToken {
    fn is_whitespace(&self) -> bool {
        matches!(self, Self::Whitespace)
    }

    fn next_token(s: &str) -> anyhow::Result<Option<(Self, usize)>> {
        let mut chars = s.chars().peekable();

        let c = match chars.next() {
            None => return Ok(None),
            Some(c) => c,
        };
        Ok(Some(match c {
            '<' => (Self::Lt, 1),
            '>' => (Self::Gt, 1),
            ',' => (Self::Comma, 1),
            ':' => match chars.next() {
                Some(':') => (Self::ColonColon, 2),
                _ => bail!("unrecognized token: {}", s),
            },
            '0' if matches!(chars.peek(), Some('x') | Some('X')) => {
                chars.next().unwrap();
                match chars.next() {
                    Some(c) if c.is_ascii_hexdigit() => {
                        // 0x + c + remaining
                        let len = 3 + chars.take_while(char::is_ascii_hexdigit).count();
                        (Self::AddressIdent, len)
                    }
                    _ => bail!("unrecognized token: {}", s),
                }
            }
            c if c.is_ascii_digit() => {
                // c + remaining
                let len = 1 + chars.take_while(char::is_ascii_digit).count();
                (Self::AddressIdent, len)
            }
            c if c.is_ascii_whitespace() => {
                // c + remaining
                let len = 1 + chars.take_while(char::is_ascii_whitespace).count();
                (Self::Whitespace, len)
            }
            c if c.is_ascii_alphabetic() => {
                // c + remaining
                let len = 1 + chars
                    .take_while(|c| identifier::is_valid_identifier_char(*c))
                    .count();
                (Self::Ident, len)
            }
            _ => bail!("unrecognized token: {}", s),
        }))
    }
}

impl ParsedStructType {
    pub fn into_struct_tag(
        self,
        mapping: &impl Fn(&str) -> Option<AccountAddress>,
    ) -> anyhow::Result<StructTag> {
        let Self {
            address,
            module,
            name,
            type_args,
        } = self;
        Ok(StructTag {
            address: address.into_account_address(mapping)?,
            module: Identifier::new(module)?,
            name: Identifier::new(name)?,
            type_params: type_args
                .into_iter()
                .map(|t| t.into_type_tag(mapping))
                .collect::<anyhow::Result<_>>()?,
        })
    }
}

impl ParsedType {
    pub fn into_type_tag(
        self,
        mapping: &impl Fn(&str) -> Option<AccountAddress>,
    ) -> anyhow::Result<TypeTag> {
        Ok(match self {
            ParsedType::U8 => TypeTag::U8,
            ParsedType::U64 => TypeTag::U64,
            ParsedType::U128 => TypeTag::U128,
            ParsedType::Bool => TypeTag::Bool,
            ParsedType::Address => TypeTag::Address,
            ParsedType::Signer => TypeTag::Signer,
            ParsedType::Vector(inner) => TypeTag::Vector(Box::new(inner.into_type_tag(mapping)?)),
            ParsedType::Struct(s) => TypeTag::Struct(s.into_struct_tag(mapping)?),
        })
    }
}