sui_types/
type_input.rs

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
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

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

use anyhow::Result;
use move_core_types::{
    account_address::AccountAddress,
    identifier::Identifier,
    language_storage::{StructTag, TypeTag},
};
use serde::{Deserialize, Serialize};
use sui_macros::EnumVariantOrder;

#[derive(Serialize, Deserialize, Debug, PartialEq, Hash, Eq, Clone, PartialOrd, Ord)]
pub struct StructInput {
    pub address: AccountAddress,
    pub module: String,
    pub name: String,
    // alias for compatibility with old json serialized data.
    #[serde(rename = "type_args", alias = "type_params")]
    pub type_params: Vec<TypeInput>,
}

#[derive(
    Serialize, Deserialize, Debug, PartialEq, Hash, Eq, Clone, PartialOrd, Ord, EnumVariantOrder,
)]
pub enum TypeInput {
    // alias for compatibility with old json serialized data.
    #[serde(rename = "bool", alias = "Bool")]
    Bool,
    #[serde(rename = "u8", alias = "U8")]
    U8,
    #[serde(rename = "u64", alias = "U64")]
    U64,
    #[serde(rename = "u128", alias = "U128")]
    U128,
    #[serde(rename = "address", alias = "Address")]
    Address,
    #[serde(rename = "signer", alias = "Signer")]
    Signer,
    #[serde(rename = "vector", alias = "Vector")]
    Vector(Box<TypeInput>),
    #[serde(rename = "struct", alias = "Struct")]
    Struct(Box<StructInput>),

    // NOTE: Added in bytecode version v6, do not reorder!
    #[serde(rename = "u16", alias = "U16")]
    U16,
    #[serde(rename = "u32", alias = "U32")]
    U32,
    #[serde(rename = "u256", alias = "U256")]
    U256,
}

impl TypeInput {
    /// Return a canonical string representation of the type. All types are represented using their
    /// source syntax:
    ///
    /// - "bool", "u8", "u16", "u32", "u64", "u128", "u256", "address", "signer", "vector" for
    ///   ground types.
    ///
    /// - Structs are represented as fully qualified type names, with or without the prefix "0x"
    ///   depending on the `with_prefix` flag, e.g. `0x000...0001::string::String` or
    ///   `0x000...000a::m::T<0x000...000a::n::U<u64>>`.
    ///
    /// - Addresses are hex-encoded lowercase values of length 32 (zero-padded).
    ///
    /// Note: this function is guaranteed to be stable -- suitable for use inside Move native
    /// functions or the VM. By contrast, this type's `Display` implementation is subject to change
    /// and should be used inside code that needs to return a stable output (e.g. that might be
    /// committed to effects on-chain).
    pub fn to_canonical_string(&self, with_prefix: bool) -> String {
        self.to_canonical_display(with_prefix).to_string()
    }

    /// Return the canonical string representation of the TypeTag conditionally with prefix 0x
    pub fn to_canonical_display(&self, with_prefix: bool) -> impl std::fmt::Display + '_ {
        struct CanonicalDisplay<'a> {
            data: &'a TypeInput,
            with_prefix: bool,
        }

        impl std::fmt::Display for CanonicalDisplay<'_> {
            fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
                match self.data {
                    TypeInput::Bool => write!(f, "bool"),
                    TypeInput::U8 => write!(f, "u8"),
                    TypeInput::U16 => write!(f, "u16"),
                    TypeInput::U32 => write!(f, "u32"),
                    TypeInput::U64 => write!(f, "u64"),
                    TypeInput::U128 => write!(f, "u128"),
                    TypeInput::U256 => write!(f, "u256"),
                    TypeInput::Address => write!(f, "address"),
                    TypeInput::Signer => write!(f, "signer"),
                    TypeInput::Vector(t) => {
                        write!(f, "vector<{}>", t.to_canonical_display(self.with_prefix))
                    }
                    TypeInput::Struct(s) => {
                        write!(f, "{}", s.to_canonical_display(self.with_prefix))
                    }
                }
            }
        }

        CanonicalDisplay {
            data: self,
            with_prefix,
        }
    }

    /// Convert the TypeInput into a TypeTag without checking for validity of identifiers within
    /// the StructTag. DO NOT USE UNLESS YOU KNOW WHAT YOU ARE DOING AND WHY THIS IS SAFE TO CALL.
    ///
    /// # Safety
    ///
    /// Preserving existing behaviour for identifier deserialization within type
    /// tags and inputs.
    pub unsafe fn into_type_tag_unchecked(self) -> TypeTag {
        match self {
            TypeInput::Bool => TypeTag::Bool,
            TypeInput::U8 => TypeTag::U8,
            TypeInput::U16 => TypeTag::U16,
            TypeInput::U32 => TypeTag::U32,
            TypeInput::U64 => TypeTag::U64,
            TypeInput::U128 => TypeTag::U128,
            TypeInput::U256 => TypeTag::U256,
            TypeInput::Address => TypeTag::Address,
            TypeInput::Signer => TypeTag::Signer,
            TypeInput::Vector(inner) => TypeTag::Vector(Box::new(inner.into_type_tag_unchecked())),
            TypeInput::Struct(inner) => {
                let StructInput {
                    address,
                    module,
                    name,
                    type_params,
                } = *inner;
                TypeTag::Struct(Box::new(StructTag {
                    address,
                    module: Identifier::new_unchecked(module),
                    name: Identifier::new_unchecked(name),
                    type_params: type_params
                        .into_iter()
                        .map(|ty| ty.into_type_tag_unchecked())
                        .collect(),
                }))
            }
        }
    }

    /// Convert to a `TypeTag` consuming `self`. This can fail if this value includes invalid
    /// identifiers.
    pub fn into_type_tag(self) -> Result<TypeTag> {
        use TypeInput as I;
        use TypeTag as T;
        Ok(match self {
            I::Bool => T::Bool,
            I::U8 => T::U8,
            I::U16 => T::U16,
            I::U32 => T::U32,
            I::U64 => T::U64,
            I::U128 => T::U128,
            I::U256 => T::U256,
            I::Address => T::Address,
            I::Signer => T::Signer,
            I::Vector(t) => T::Vector(Box::new(t.into_type_tag()?)),
            I::Struct(s) => {
                let StructInput {
                    address,
                    module,
                    name,
                    type_params,
                } = *s;
                let type_params = type_params
                    .into_iter()
                    .map(|t| t.into_type_tag())
                    .collect::<Result<_>>()?;
                T::Struct(Box::new(StructTag {
                    address,
                    module: Identifier::new(module)?,
                    name: Identifier::new(name)?,
                    type_params,
                }))
            }
        })
    }

    /// Conversion to a `TypeTag`, which can fail if this value includes invalid identifiers.
    pub fn as_type_tag(&self) -> Result<TypeTag> {
        use TypeInput as I;
        use TypeTag as T;
        Ok(match self {
            I::Bool => T::Bool,
            I::U8 => T::U8,
            I::U16 => T::U16,
            I::U32 => T::U32,
            I::U64 => T::U64,
            I::U128 => T::U128,
            I::U256 => T::U256,
            I::Address => T::Address,
            I::Signer => T::Signer,
            I::Vector(t) => T::Vector(Box::new(t.as_type_tag()?)),
            I::Struct(s) => {
                let StructInput {
                    address,
                    module,
                    name,
                    type_params,
                } = s.as_ref();
                let type_params = type_params
                    .iter()
                    .map(|t| t.as_type_tag())
                    .collect::<Result<_>>()?;
                T::Struct(Box::new(StructTag {
                    address: *address,
                    module: Identifier::new(module.to_owned())?,
                    name: Identifier::new(name.to_owned())?,
                    type_params,
                }))
            }
        })
    }
}

impl StructInput {
    /// Return a canonical string representation of the struct.
    ///
    /// - Structs are represented as fully qualified type names, with or without the prefix "0x"
    ///   depending on the `with_prefix` flag, e.g. `0x000...0001::string::String` or
    ///   `0x000...000a::m::T<0x000...000a::n::U<u64>>`.
    ///
    /// - Addresses are hex-encoded lowercase values of length 32 (zero-padded).
    ///
    /// Note: this function is guaranteed to be stable -- suitable for use inside Move native
    /// functions or the VM. By contrast, this type's `Display` implementation is subject to change
    /// and should be used inside code that needs to return a stable output (e.g. that might be
    /// committed to effects on-chain).
    pub fn to_canonical_string(&self, with_prefix: bool) -> String {
        self.to_canonical_display(with_prefix).to_string()
    }

    /// Implements the canonical string representation of the StructTag with the prefix 0x
    pub fn to_canonical_display(&self, with_prefix: bool) -> impl std::fmt::Display + '_ {
        struct CanonicalDisplay<'a> {
            data: &'a StructInput,
            with_prefix: bool,
        }

        impl std::fmt::Display for CanonicalDisplay<'_> {
            fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
                write!(
                    f,
                    "{}::{}::{}",
                    self.data.address.to_canonical_display(self.with_prefix),
                    self.data.module,
                    self.data.name
                )?;

                if let Some(first_ty) = self.data.type_params.first() {
                    write!(f, "<")?;
                    write!(f, "{}", first_ty.to_canonical_display(self.with_prefix))?;
                    for ty in self.data.type_params.iter().skip(1) {
                        // Note that unlike Display for StructTag, there is no space between the comma and canonical display.
                        // This follows the original to_canonical_string() implementation.
                        write!(f, ",{}", ty.to_canonical_display(self.with_prefix))?;
                    }
                    write!(f, ">")?;
                }
                Ok(())
            }
        }

        CanonicalDisplay {
            data: self,
            with_prefix,
        }
    }
}

impl From<TypeTag> for TypeInput {
    fn from(tag: TypeTag) -> Self {
        match tag {
            TypeTag::Bool => TypeInput::Bool,
            TypeTag::U8 => TypeInput::U8,
            TypeTag::U64 => TypeInput::U64,
            TypeTag::U128 => TypeInput::U128,
            TypeTag::Address => TypeInput::Address,
            TypeTag::Signer => TypeInput::Signer,
            TypeTag::Vector(inner) => TypeInput::Vector(Box::new(TypeInput::from(*inner))),
            TypeTag::Struct(inner) => TypeInput::Struct(Box::new(StructInput::from(*inner))),
            TypeTag::U16 => TypeInput::U16,
            TypeTag::U32 => TypeInput::U32,
            TypeTag::U256 => TypeInput::U256,
        }
    }
}

impl From<StructTag> for StructInput {
    fn from(tag: StructTag) -> Self {
        StructInput {
            address: tag.address,
            module: tag.module.to_string(),
            name: tag.name.to_string(),
            type_params: tag.type_params.into_iter().map(TypeInput::from).collect(),
        }
    }
}

impl From<StructInput> for TypeInput {
    fn from(t: StructInput) -> TypeInput {
        TypeInput::Struct(Box::new(t))
    }
}

impl Display for StructInput {
    fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
        write!(
            f,
            "0x{}::{}::{}",
            self.address.short_str_lossless(),
            self.module,
            self.name
        )?;

        let mut prefix = "<";
        for ty in &self.type_params {
            write!(f, "{}{}", prefix, ty)?;
            prefix = ", ";
        }
        if !self.type_params.is_empty() {
            write!(f, ">")?;
        }

        Ok(())
    }
}

impl Display for TypeInput {
    fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
        match self {
            TypeInput::Struct(s) => write!(f, "{}", s),
            TypeInput::Vector(ty) => write!(f, "vector<{}>", ty),
            TypeInput::U8 => write!(f, "u8"),
            TypeInput::U16 => write!(f, "u16"),
            TypeInput::U32 => write!(f, "u32"),
            TypeInput::U64 => write!(f, "u64"),
            TypeInput::U128 => write!(f, "u128"),
            TypeInput::U256 => write!(f, "u256"),
            TypeInput::Address => write!(f, "address"),
            TypeInput::Signer => write!(f, "signer"),
            TypeInput::Bool => write!(f, "bool"),
        }
    }
}

#[cfg(test)]
mod test {
    use super::TypeInput;
    use sui_enum_compat_util::*;

    #[test]
    fn enforce_order_test() {
        let mut path = std::path::PathBuf::from(env!("CARGO_MANIFEST_DIR"));
        path.extend(["tests", "staged", "type_input.yaml"]);
        check_enum_compat_order::<TypeInput>(path);
    }
}