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
use error::{Error, Result};

const MAX_MEMO_TEXT_LEN: usize = 28;

/// Memo attached to transactions.
#[derive(Debug, Clone, PartialEq, Eq)]
pub enum Memo {
    /// No memo
    None,
    /// Text Memo
    Text(String),
    /// Id Memo
    Id(u64),
    /// Hash Memo
    Hash([u8; 32]),
    /// Return Memo
    Return([u8; 32]),
}

impl Memo {
    /// Create new empty memo.
    pub fn none() -> Memo {
        Memo::None
    }

    /// Create new id memo.
    pub fn id(id: u64) -> Memo {
        Memo::Id(id)
    }

    /// Create new text memo. `text` must be shorter than 28 bytes.
    pub fn text<S: Into<String>>(text: S) -> Result<Memo> {
        let text = text.into();
        if text.len() > MAX_MEMO_TEXT_LEN {
            Err(Error::InvalidMemoText)
        } else {
            Ok(Memo::Text(text))
        }
    }

    /// Create new hash memo.
    pub fn hash(h: [u8; 32]) -> Memo {
        Memo::Hash(h)
    }

    /// Create new return memo.
    pub fn return_(r: [u8; 32]) -> Memo {
        Memo::Return(r)
    }

    /// Return `true` if memo is `None`.
    pub fn is_none(&self) -> bool {
        match *self {
            Memo::None => true,
            _ => false,
        }
    }

    /// Return `true` if memo is `Id`.
    pub fn is_id(&self) -> bool {
        match *self {
            Memo::Id(_) => true,
            _ => false,
        }
    }

    /// Return `true` if memo is `Text`.
    pub fn is_text(&self) -> bool {
        match *self {
            Memo::Text(_) => true,
            _ => false,
        }
    }

    /// Return `true` if memo is `Hash`.
    pub fn is_hash(&self) -> bool {
        match *self {
            Memo::Hash(_) => true,
            _ => false,
        }
    }

    /// Return `true` if memo is `Return`.
    pub fn is_return(&self) -> bool {
        match *self {
            Memo::Return(_) => true,
            _ => false,
        }
    }
}