bip39/mnemonic.rs
1#[cfg(feature = "rand")]
2use crate::crypto::gen_random_bytes;
3use crate::crypto::sha256_first_byte;
4use crate::error::ErrorKind;
5use crate::language::Language;
6use crate::mnemonic_type::MnemonicType;
7use crate::util::{checksum, BitWriter, IterExt};
8use std::fmt;
9use std::mem;
10use unicode_normalization::UnicodeNormalization;
11use zeroize::Zeroizing;
12
13/// The primary type in this crate, most tasks require creating or using one.
14///
15/// To create a *new* [`Mnemonic`][Mnemonic] from a randomly generated key, call [`Mnemonic::new()`][Mnemonic::new()].
16///
17/// To get a [`Mnemonic`][Mnemonic] instance for an existing mnemonic phrase, including
18/// those generated by other software or hardware wallets, use [`Mnemonic::from_phrase()`][Mnemonic::from_phrase()].
19///
20/// You can get the HD wallet [`Seed`][Seed] from a [`Mnemonic`][Mnemonic] by calling [`Seed::new()`][Seed::new()].
21/// From there you can either get the raw byte value with [`Seed::as_bytes()`][Seed::as_bytes()], or the hex
22/// representation using Rust formatting: `format!("{:X}", seed)`.
23///
24/// You can also get the original entropy value back from a [`Mnemonic`][Mnemonic] with [`Mnemonic::entropy()`][Mnemonic::entropy()],
25/// but beware that the entropy value is **not the same thing** as an HD wallet seed, and should
26/// *never* be used that way.
27///
28/// [`Mnemonic`][Mnemonic] implements [`Zeroize`][Zeroize], so it's bytes will be zeroed when it's dropped.
29///
30/// [Mnemonic]: ./mnemonic/struct.Mnemonic.html
31/// [Mnemonic::new()]: ./mnemonic/struct.Mnemonic.html#method.new
32/// [Mnemonic::from_phrase()]: ./mnemonic/struct.Mnemonic.html#method.from_phrase
33/// [Mnemonic::entropy()]: ./mnemonic/struct.Mnemonic.html#method.entropy
34/// [Seed]: ./seed/struct.Seed.html
35/// [Seed::new()]: ./seed/struct.Seed.html#method.new
36/// [Seed::as_bytes()]: ./seed/struct.Seed.html#method.as_bytes
37///
38#[derive(Clone)]
39pub struct Mnemonic {
40 phrase: Zeroizing<String>,
41 lang: Language,
42 entropy: Zeroizing<Vec<u8>>,
43}
44
45impl Mnemonic {
46 /// Generates a new [`Mnemonic`][Mnemonic]
47 ///
48 /// Use [`Mnemonic::phrase()`][Mnemonic::phrase()] to get an `str` slice of the generated phrase.
49 ///
50 /// # Example
51 ///
52 /// ```
53 /// use bip39::{Mnemonic, MnemonicType, Language};
54 ///
55 /// let mnemonic = Mnemonic::new(MnemonicType::Words12, Language::English);
56 /// let phrase = mnemonic.phrase();
57 ///
58 /// println!("phrase: {}", phrase);
59 ///
60 /// assert_eq!(phrase.split(' ').count(), 12);
61 /// ```
62 ///
63 /// [Mnemonic]: ./mnemonic/struct.Mnemonic.html
64 /// [Mnemonic::phrase()]: ./mnemonic/struct.Mnemonic.html#method.phrase
65 #[cfg(feature = "rand")]
66 pub fn new(mtype: MnemonicType, lang: Language) -> Mnemonic {
67 let entropy = gen_random_bytes(mtype.entropy_bits() / 8);
68
69 Mnemonic::from_entropy_unchecked(entropy, lang)
70 }
71
72 /// Create a [`Mnemonic`][Mnemonic] from pre-generated entropy
73 ///
74 /// # Example
75 ///
76 /// ```
77 /// use bip39::{Mnemonic, MnemonicType, Language};
78 ///
79 /// let entropy = &[0x33, 0xE4, 0x6B, 0xB1, 0x3A, 0x74, 0x6E, 0xA4, 0x1C, 0xDD, 0xE4, 0x5C, 0x90, 0x84, 0x6A, 0x79];
80 /// let mnemonic = Mnemonic::from_entropy(entropy, Language::English).unwrap();
81 ///
82 /// assert_eq!("crop cash unable insane eight faith inflict route frame loud box vibrant", mnemonic.phrase());
83 /// assert_eq!("33E46BB13A746EA41CDDE45C90846A79", format!("{:X}", mnemonic));
84 /// ```
85 ///
86 /// [Mnemonic]: ../mnemonic/struct.Mnemonic.html
87 pub fn from_entropy(entropy: &[u8], lang: Language) -> Result<Mnemonic, ErrorKind> {
88 // Validate entropy size
89 MnemonicType::for_key_size(entropy.len() * 8)?;
90
91 Ok(Self::from_entropy_unchecked(entropy, lang))
92 }
93
94 fn from_entropy_unchecked<E>(entropy: E, lang: Language) -> Mnemonic
95 where
96 E: Into<Vec<u8>>,
97 {
98 let entropy = Zeroizing::new(entropy.into());
99 let wordlist = lang.wordlist();
100
101 let checksum_byte = sha256_first_byte(&entropy);
102
103 // First, create a byte iterator for the given entropy and the first byte of the
104 // hash of the entropy that will serve as the checksum (up to 8 bits for biggest
105 // entropy source).
106 //
107 // Then we transform that into a bits iterator that returns 11 bits at a
108 // time (as u16), which we can map to the words on the `wordlist`.
109 //
110 // Given the entropy is of correct size, this ought to give us the correct word
111 // count.
112 let phrase = Zeroizing::new(
113 entropy
114 .iter()
115 .chain(Some(&checksum_byte))
116 .bits()
117 .map(|bits| wordlist.get_word(bits))
118 .join(" "),
119 );
120
121 Mnemonic {
122 phrase,
123 lang,
124 entropy,
125 }
126 }
127
128 /// Create a [`Mnemonic`][Mnemonic] from an existing mnemonic phrase
129 ///
130 /// The phrase supplied will be checked for word length and validated according to the checksum
131 /// specified in BIP0039
132 ///
133 /// # Example
134 ///
135 /// ```
136 /// use bip39::{Mnemonic, Language};
137 ///
138 /// let phrase = "park remain person kitchen mule spell knee armed position rail grid ankle";
139 /// let mnemonic = Mnemonic::from_phrase(phrase, Language::English).unwrap();
140 ///
141 /// assert_eq!(phrase, mnemonic.phrase());
142 /// ```
143 ///
144 /// [Mnemonic]: ../mnemonic/struct.Mnemonic.html
145 pub fn from_phrase(phrase: &str, lang: Language) -> Result<Mnemonic, ErrorKind> {
146 let phrase = Zeroizing::new(
147 phrase
148 .split_whitespace()
149 .map(|w| w.nfkd())
150 .join::<String>(" "),
151 );
152
153 // this also validates the checksum and phrase length before returning the entropy so we
154 // can store it. We don't use the validate function here to avoid having a public API that
155 // takes a phrase string and returns the entropy directly.
156 let entropy = Zeroizing::new(Mnemonic::phrase_to_entropy(&phrase, lang)?);
157
158 let mnemonic = Mnemonic {
159 phrase,
160 lang,
161 entropy,
162 };
163
164 Ok(mnemonic)
165 }
166
167 /// Validate a mnemonic phrase
168 ///
169 /// The phrase supplied will be checked for word length and validated according to the checksum
170 /// specified in BIP0039.
171 ///
172 /// # Example
173 ///
174 /// ```
175 /// use bip39::{Mnemonic, Language};
176 ///
177 /// let test_mnemonic = "park remain person kitchen mule spell knee armed position rail grid ankle";
178 ///
179 /// assert!(Mnemonic::validate(test_mnemonic, Language::English).is_ok());
180 /// ```
181 pub fn validate(phrase: &str, lang: Language) -> Result<(), ErrorKind> {
182 Mnemonic::phrase_to_entropy(phrase, lang)?;
183
184 Ok(())
185 }
186
187 /// Calculate the checksum, verify it and return the entropy
188 ///
189 /// Only intended for internal use, as returning a `Vec<u8>` that looks a bit like it could be
190 /// used as the seed is likely to cause problems for someone eventually. All the other functions
191 /// that return something like that are explicit about what it is and what to use it for.
192 fn phrase_to_entropy(phrase: &str, lang: Language) -> Result<Vec<u8>, ErrorKind> {
193 let wordmap = lang.wordmap();
194
195 // Preallocate enough space for the longest possible word list
196 let mut bits = BitWriter::with_capacity(264);
197
198 for (idx, word) in phrase.split(' ').enumerate() {
199 let word_bits = wordmap.get_bits(word).ok_or(ErrorKind::InvalidWord(idx))?;
200 bits.push(word_bits);
201 }
202
203 let mtype = MnemonicType::for_word_count(bits.len() / 11)?;
204
205 debug_assert!(
206 bits.len() == mtype.total_bits(),
207 "Insufficient amount of bits to validate"
208 );
209
210 let mut entropy = bits.into_bytes();
211 let entropy_bytes = mtype.entropy_bits() / 8;
212
213 let actual_checksum = checksum(entropy[entropy_bytes], mtype.checksum_bits());
214
215 // Truncate to get rid of the byte containing the checksum
216 entropy.truncate(entropy_bytes);
217
218 let checksum_byte = sha256_first_byte(&entropy);
219 let expected_checksum = checksum(checksum_byte, mtype.checksum_bits());
220
221 if actual_checksum != expected_checksum {
222 Err(ErrorKind::InvalidChecksum)?;
223 }
224
225 Ok(entropy)
226 }
227
228 /// Get the mnemonic phrase as a string reference.
229 pub fn phrase(&self) -> &str {
230 &self.phrase
231 }
232
233 /// Consume the `Mnemonic` and return the phrase as a `String`.
234 pub fn into_phrase(mut self) -> String {
235 // This allows `Mnemonic` to implement `Drop`, while still returning the phrase.
236 mem::take(&mut self.phrase)
237 }
238
239 /// Get the original entropy value of the mnemonic phrase as a slice.
240 ///
241 /// # Example
242 ///
243 /// ```
244 /// use bip39::{Mnemonic, Language};
245 ///
246 /// let phrase = "park remain person kitchen mule spell knee armed position rail grid ankle";
247 ///
248 /// let mnemonic = Mnemonic::from_phrase(phrase, Language::English).unwrap();
249 ///
250 /// let entropy: &[u8] = mnemonic.entropy();
251 /// ```
252 ///
253 /// **Note:** You shouldn't use the generated entropy as secrets, for that generate a new
254 /// `Seed` from the `Mnemonic`.
255 pub fn entropy(&self) -> &[u8] {
256 &self.entropy
257 }
258
259 /// Get the [`Language`][Language]
260 ///
261 /// [Language]: ../language/struct.Language.html
262 pub fn language(&self) -> Language {
263 self.lang
264 }
265}
266
267impl AsRef<str> for Mnemonic {
268 fn as_ref(&self) -> &str {
269 self.phrase()
270 }
271}
272
273impl fmt::Display for Mnemonic {
274 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
275 fmt::Display::fmt(self.phrase(), f)
276 }
277}
278
279impl fmt::Debug for Mnemonic {
280 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
281 fmt::Debug::fmt(self.phrase(), f)
282 }
283}
284
285impl fmt::LowerHex for Mnemonic {
286 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
287 if f.alternate() {
288 f.write_str("0x")?;
289 }
290
291 for byte in self.entropy() {
292 write!(f, "{:02x}", byte)?;
293 }
294
295 Ok(())
296 }
297}
298
299impl fmt::UpperHex for Mnemonic {
300 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
301 if f.alternate() {
302 f.write_str("0x")?;
303 }
304
305 for byte in self.entropy() {
306 write!(f, "{:02X}", byte)?;
307 }
308
309 Ok(())
310 }
311}
312
313impl From<Mnemonic> for String {
314 fn from(val: Mnemonic) -> String {
315 val.into_phrase()
316 }
317}
318
319#[cfg(test)]
320mod test {
321 use super::*;
322 #[cfg(target_arch = "wasm32")]
323 use wasm_bindgen_test::*;
324
325 #[cfg_attr(all(target_arch = "wasm32"), wasm_bindgen_test)]
326 #[cfg_attr(not(target_arch = "wasm32"), test)]
327 fn back_to_back() {
328 let m1 = Mnemonic::new(MnemonicType::Words12, Language::English);
329 let m2 = Mnemonic::from_phrase(m1.phrase(), Language::English).unwrap();
330 let m3 = Mnemonic::from_entropy(m1.entropy(), Language::English).unwrap();
331
332 assert_eq!(m1.entropy(), m2.entropy(), "Entropy must be the same");
333 assert_eq!(m1.entropy(), m3.entropy(), "Entropy must be the same");
334 assert_eq!(m1.phrase(), m2.phrase(), "Phrase must be the same");
335 assert_eq!(m1.phrase(), m3.phrase(), "Phrase must be the same");
336 }
337
338 #[cfg_attr(all(target_arch = "wasm32"), wasm_bindgen_test)]
339 #[cfg_attr(not(target_arch = "wasm32"), test)]
340 fn mnemonic_from_entropy() {
341 let entropy = &[
342 0x33, 0xE4, 0x6B, 0xB1, 0x3A, 0x74, 0x6E, 0xA4, 0x1C, 0xDD, 0xE4, 0x5C, 0x90, 0x84,
343 0x6A, 0x79,
344 ];
345 let phrase = "crop cash unable insane eight faith inflict route frame loud box vibrant";
346
347 let mnemonic = Mnemonic::from_entropy(entropy, Language::English).unwrap();
348
349 assert_eq!(phrase, mnemonic.phrase());
350 }
351
352 #[cfg_attr(all(target_arch = "wasm32"), wasm_bindgen_test)]
353 #[cfg_attr(not(target_arch = "wasm32"), test)]
354 fn mnemonic_from_phrase() {
355 let entropy = &[
356 0x33, 0xE4, 0x6B, 0xB1, 0x3A, 0x74, 0x6E, 0xA4, 0x1C, 0xDD, 0xE4, 0x5C, 0x90, 0x84,
357 0x6A, 0x79,
358 ];
359 let phrase = "crop cash unable insane eight faith inflict route frame loud box vibrant";
360
361 let mnemonic = Mnemonic::from_phrase(phrase, Language::English).unwrap();
362
363 assert_eq!(entropy, mnemonic.entropy());
364 }
365
366 #[cfg_attr(all(target_arch = "wasm32"), wasm_bindgen_test)]
367 #[cfg_attr(not(target_arch = "wasm32"), test)]
368 fn mnemonic_format() {
369 let mnemonic = Mnemonic::new(MnemonicType::Words15, Language::English);
370
371 assert_eq!(mnemonic.phrase(), format!("{}", mnemonic));
372 }
373
374 #[cfg_attr(all(target_arch = "wasm32"), wasm_bindgen_test)]
375 #[cfg_attr(not(target_arch = "wasm32"), test)]
376 fn mnemonic_hex_format() {
377 let entropy = &[
378 0x03, 0xE4, 0x6B, 0xB1, 0x3A, 0x74, 0x6E, 0xA4, 0x1C, 0xDD, 0xE4, 0x5C, 0x90, 0x84,
379 0x6A, 0x79,
380 ];
381
382 let mnemonic = Mnemonic::from_entropy(entropy, Language::English).unwrap();
383
384 assert_eq!(
385 format!("{:x}", mnemonic),
386 "03e46bb13a746ea41cdde45c90846a79"
387 );
388 assert_eq!(
389 format!("{:X}", mnemonic),
390 "03E46BB13A746EA41CDDE45C90846A79"
391 );
392 assert_eq!(
393 format!("{:#x}", mnemonic),
394 "0x03e46bb13a746ea41cdde45c90846a79"
395 );
396 assert_eq!(
397 format!("{:#X}", mnemonic),
398 "0x03E46BB13A746EA41CDDE45C90846A79"
399 );
400 }
401}