2022-06-29 04:05:31 +00:00
|
|
|
// SPDX-License-Identifier: CC0-1.0
|
2014-08-25 06:03:47 +00:00
|
|
|
|
2021-11-05 21:58:18 +00:00
|
|
|
//! Base58 encoder and decoder.
|
|
|
|
//!
|
|
|
|
//! This module provides functions for encoding and decoding base58 slices and
|
|
|
|
//! strings respectively.
|
|
|
|
//!
|
2014-08-25 06:03:47 +00:00
|
|
|
|
2022-11-28 22:49:02 +00:00
|
|
|
use core::{fmt, iter, slice, str};
|
2015-10-25 15:16:05 +00:00
|
|
|
|
2023-03-22 03:09:58 +00:00
|
|
|
use hashes::{sha256d, Hash};
|
|
|
|
|
2022-11-28 22:49:02 +00:00
|
|
|
use crate::prelude::*;
|
2019-10-17 21:40:45 +00:00
|
|
|
|
2019-08-05 19:41:07 +00:00
|
|
|
static BASE58_CHARS: &[u8] = b"123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz";
|
2014-08-25 06:03:47 +00:00
|
|
|
|
2022-11-28 22:45:28 +00:00
|
|
|
#[rustfmt::skip]
|
2015-01-18 18:16:01 +00:00
|
|
|
static BASE58_DIGITS: [Option<u8>; 128] = [
|
2015-04-07 22:51:57 +00:00
|
|
|
None, None, None, None, None, None, None, None, // 0-7
|
|
|
|
None, None, None, None, None, None, None, None, // 8-15
|
|
|
|
None, None, None, None, None, None, None, None, // 16-23
|
|
|
|
None, None, None, None, None, None, None, None, // 24-31
|
|
|
|
None, None, None, None, None, None, None, None, // 32-39
|
|
|
|
None, None, None, None, None, None, None, None, // 40-47
|
|
|
|
None, Some(0), Some(1), Some(2), Some(3), Some(4), Some(5), Some(6), // 48-55
|
|
|
|
Some(7), Some(8), None, None, None, None, None, None, // 56-63
|
|
|
|
None, Some(9), Some(10), Some(11), Some(12), Some(13), Some(14), Some(15), // 64-71
|
|
|
|
Some(16), None, Some(17), Some(18), Some(19), Some(20), Some(21), None, // 72-79
|
|
|
|
Some(22), Some(23), Some(24), Some(25), Some(26), Some(27), Some(28), Some(29), // 80-87
|
|
|
|
Some(30), Some(31), Some(32), None, None, None, None, None, // 88-95
|
|
|
|
None, Some(33), Some(34), Some(35), Some(36), Some(37), Some(38), Some(39), // 96-103
|
|
|
|
Some(40), Some(41), Some(42), Some(43), None, Some(44), Some(45), Some(46), // 104-111
|
|
|
|
Some(47), Some(48), Some(49), Some(50), Some(51), Some(52), Some(53), Some(54), // 112-119
|
|
|
|
Some(55), Some(56), Some(57), None, None, None, None, None, // 120-127
|
2014-08-25 06:03:47 +00:00
|
|
|
];
|
|
|
|
|
2022-09-13 01:40:49 +00:00
|
|
|
/// Decodes a base58-encoded string into a byte vector.
|
|
|
|
pub fn decode(data: &str) -> Result<Vec<u8>, Error> {
|
2018-03-09 17:53:20 +00:00
|
|
|
// 11/15 is just over log_256(58)
|
|
|
|
let mut scratch = vec![0u8; 1 + data.len() * 11 / 15];
|
|
|
|
// Build in base 256
|
|
|
|
for d58 in data.bytes() {
|
|
|
|
// Compute "X = X * 58 + next_digit" in base 256
|
2020-01-21 11:36:53 +00:00
|
|
|
if d58 as usize >= BASE58_DIGITS.len() {
|
2018-03-09 17:53:20 +00:00
|
|
|
return Err(Error::BadByte(d58));
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
2018-03-09 17:53:20 +00:00
|
|
|
let mut carry = match BASE58_DIGITS[d58 as usize] {
|
|
|
|
Some(d58) => d58 as u32,
|
2022-11-28 22:49:02 +00:00
|
|
|
None => {
|
|
|
|
return Err(Error::BadByte(d58));
|
|
|
|
}
|
2018-03-09 17:53:20 +00:00
|
|
|
};
|
|
|
|
for d256 in scratch.iter_mut().rev() {
|
|
|
|
carry += *d256 as u32 * 58;
|
|
|
|
*d256 = carry as u8;
|
|
|
|
carry /= 256;
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
|
|
|
assert_eq!(carry, 0);
|
|
|
|
}
|
|
|
|
|
2015-04-11 01:55:59 +00:00
|
|
|
// Copy leading zeroes directly
|
2022-11-28 22:49:02 +00:00
|
|
|
let mut ret: Vec<u8> = data.bytes().take_while(|&x| x == BASE58_CHARS[0]).map(|_| 0).collect();
|
2015-04-11 01:55:59 +00:00
|
|
|
// Copy rest of string
|
2018-03-09 17:53:20 +00:00
|
|
|
ret.extend(scratch.into_iter().skip_while(|&x| x == 0));
|
|
|
|
Ok(ret)
|
2014-08-28 16:49:03 +00:00
|
|
|
}
|
|
|
|
|
2022-09-13 01:40:49 +00:00
|
|
|
/// Decodes a base58check-encoded string into a byte vector verifying the checksum.
|
|
|
|
pub fn decode_check(data: &str) -> Result<Vec<u8>, Error> {
|
|
|
|
let mut ret: Vec<u8> = decode(data)?;
|
2018-03-09 17:53:20 +00:00
|
|
|
if ret.len() < 4 {
|
|
|
|
return Err(Error::TooShort(ret.len()));
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
2022-08-31 04:45:14 +00:00
|
|
|
let check_start = ret.len() - 4;
|
|
|
|
|
2022-11-28 22:49:02 +00:00
|
|
|
let hash_check =
|
|
|
|
sha256d::Hash::hash(&ret[..check_start])[..4].try_into().expect("4 byte slice");
|
2022-08-31 04:45:14 +00:00
|
|
|
let data_check = ret[check_start..].try_into().expect("4 byte slice");
|
|
|
|
|
|
|
|
let expected = u32::from_le_bytes(hash_check);
|
|
|
|
let actual = u32::from_le_bytes(data_check);
|
|
|
|
|
2018-03-09 17:53:20 +00:00
|
|
|
if expected != actual {
|
|
|
|
return Err(Error::BadChecksum(expected, actual));
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
2018-03-09 17:53:20 +00:00
|
|
|
|
2022-08-31 04:45:14 +00:00
|
|
|
ret.truncate(check_start);
|
2018-03-09 17:53:20 +00:00
|
|
|
Ok(ret)
|
2014-08-28 16:49:03 +00:00
|
|
|
}
|
|
|
|
|
2022-09-13 01:40:49 +00:00
|
|
|
/// Encodes `data` as a base58 string (see also `base58::encode_check()`).
|
2022-11-28 22:49:02 +00:00
|
|
|
pub fn encode(data: &[u8]) -> String { encode_iter(data.iter().cloned()) }
|
2022-09-13 01:13:16 +00:00
|
|
|
|
2022-09-13 01:40:49 +00:00
|
|
|
/// Encodes `data` as a base58 string including the checksum.
|
|
|
|
///
|
2022-09-28 19:13:12 +00:00
|
|
|
/// The checksum is the first four bytes of the sha256d of the data, concatenated onto the end.
|
2022-09-13 01:40:49 +00:00
|
|
|
pub fn encode_check(data: &[u8]) -> String {
|
2022-09-13 01:13:16 +00:00
|
|
|
let checksum = sha256d::Hash::hash(data);
|
2022-11-28 22:49:02 +00:00
|
|
|
encode_iter(data.iter().cloned().chain(checksum[0..4].iter().cloned()))
|
2022-09-13 01:13:16 +00:00
|
|
|
}
|
|
|
|
|
2022-09-13 01:40:49 +00:00
|
|
|
/// Encodes a slice as base58, including the checksum, into a formatter.
|
|
|
|
///
|
2022-09-28 19:13:12 +00:00
|
|
|
/// The checksum is the first four bytes of the sha256d of the data, concatenated onto the end.
|
2022-09-13 01:40:49 +00:00
|
|
|
pub fn encode_check_to_fmt(fmt: &mut fmt::Formatter, data: &[u8]) -> fmt::Result {
|
2022-09-13 01:13:16 +00:00
|
|
|
let checksum = sha256d::Hash::hash(data);
|
2022-11-28 22:49:02 +00:00
|
|
|
let iter = data.iter().cloned().chain(checksum[0..4].iter().cloned());
|
2022-09-13 01:13:16 +00:00
|
|
|
format_iter(fmt, iter)
|
|
|
|
}
|
|
|
|
|
|
|
|
fn encode_iter<I>(data: I) -> String
|
|
|
|
where
|
2022-11-28 22:49:02 +00:00
|
|
|
I: Iterator<Item = u8> + Clone,
|
2022-09-13 01:13:16 +00:00
|
|
|
{
|
|
|
|
let mut ret = String::new();
|
|
|
|
format_iter(&mut ret, data).expect("writing into string shouldn't fail");
|
|
|
|
ret
|
|
|
|
}
|
|
|
|
|
2018-11-09 03:13:55 +00:00
|
|
|
fn format_iter<I, W>(writer: &mut W, data: I) -> Result<(), fmt::Error>
|
2018-03-09 17:53:20 +00:00
|
|
|
where
|
2022-11-28 22:49:02 +00:00
|
|
|
I: Iterator<Item = u8> + Clone,
|
|
|
|
W: fmt::Write,
|
2018-03-09 17:53:20 +00:00
|
|
|
{
|
2018-11-09 03:13:55 +00:00
|
|
|
let mut ret = SmallVec::new();
|
2018-03-09 17:53:20 +00:00
|
|
|
|
|
|
|
let mut leading_zero_count = 0;
|
|
|
|
let mut leading_zeroes = true;
|
|
|
|
// Build string in little endian with 0-58 in place of characters...
|
|
|
|
for d256 in data {
|
|
|
|
let mut carry = d256 as usize;
|
|
|
|
if leading_zeroes && carry == 0 {
|
|
|
|
leading_zero_count += 1;
|
|
|
|
} else {
|
|
|
|
leading_zeroes = false;
|
|
|
|
}
|
|
|
|
|
|
|
|
for ch in ret.iter_mut() {
|
|
|
|
let new_ch = *ch as usize * 256 + carry;
|
|
|
|
*ch = (new_ch % 58) as u8;
|
|
|
|
carry = new_ch / 58;
|
|
|
|
}
|
|
|
|
while carry > 0 {
|
|
|
|
ret.push((carry % 58) as u8);
|
|
|
|
carry /= 58;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// ... then reverse it and convert to chars
|
|
|
|
for _ in 0..leading_zero_count {
|
|
|
|
ret.push(0);
|
|
|
|
}
|
2018-11-09 03:13:55 +00:00
|
|
|
|
|
|
|
for ch in ret.iter().rev() {
|
|
|
|
writer.write_char(BASE58_CHARS[*ch as usize] as char)?;
|
2018-03-09 17:53:20 +00:00
|
|
|
}
|
2018-11-09 03:13:55 +00:00
|
|
|
|
|
|
|
Ok(())
|
2018-08-20 19:40:00 +00:00
|
|
|
}
|
|
|
|
|
2022-09-13 01:13:16 +00:00
|
|
|
/// Vector-like object that holds the first 100 elements on the stack. If more space is needed it
|
|
|
|
/// will be allocated on the heap.
|
|
|
|
struct SmallVec<T> {
|
|
|
|
len: usize,
|
|
|
|
stack: [T; 100],
|
|
|
|
heap: Vec<T>,
|
2014-08-28 16:49:03 +00:00
|
|
|
}
|
|
|
|
|
2022-09-13 01:13:16 +00:00
|
|
|
impl<T: Default + Copy> SmallVec<T> {
|
2022-11-28 22:49:02 +00:00
|
|
|
fn new() -> SmallVec<T> { SmallVec { len: 0, stack: [T::default(); 100], heap: Vec::new() } }
|
2018-08-20 19:40:00 +00:00
|
|
|
|
2022-09-13 01:13:16 +00:00
|
|
|
fn push(&mut self, val: T) {
|
|
|
|
if self.len < 100 {
|
|
|
|
self.stack[self.len] = val;
|
|
|
|
self.len += 1;
|
|
|
|
} else {
|
|
|
|
self.heap.push(val);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn iter(&self) -> iter::Chain<slice::Iter<T>, slice::Iter<T>> {
|
|
|
|
// If len<100 then we just append an empty vec
|
|
|
|
self.stack[0..self.len].iter().chain(self.heap.iter())
|
|
|
|
}
|
|
|
|
|
|
|
|
fn iter_mut(&mut self) -> iter::Chain<slice::IterMut<T>, slice::IterMut<T>> {
|
|
|
|
// If len<100 then we just append an empty vec
|
|
|
|
self.stack[0..self.len].iter_mut().chain(self.heap.iter_mut())
|
|
|
|
}
|
2015-04-08 22:23:45 +00:00
|
|
|
}
|
|
|
|
|
2022-09-13 01:13:16 +00:00
|
|
|
/// An error that might occur during base58 decoding.
|
2023-07-27 01:10:22 +00:00
|
|
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
2022-09-13 01:13:16 +00:00
|
|
|
#[non_exhaustive]
|
|
|
|
pub enum Error {
|
|
|
|
/// Invalid character encountered.
|
|
|
|
BadByte(u8),
|
|
|
|
/// Checksum was not correct (expected, actual).
|
|
|
|
BadChecksum(u32, u32),
|
2022-09-28 19:10:19 +00:00
|
|
|
/// The length (in bytes) of the object was not correct.
|
|
|
|
///
|
|
|
|
/// Note that if the length is excessively long the provided length may be an estimate (and the
|
|
|
|
/// checksum step may be skipped).
|
2022-09-13 01:13:16 +00:00
|
|
|
InvalidLength(usize),
|
|
|
|
/// Extended Key version byte(s) were not recognized.
|
|
|
|
InvalidExtendedKeyVersion([u8; 4]),
|
|
|
|
/// Address version byte were not recognized.
|
|
|
|
InvalidAddressVersion(u8),
|
|
|
|
/// Checked data was less than 4 bytes.
|
|
|
|
TooShort(usize),
|
2014-08-28 16:49:03 +00:00
|
|
|
}
|
|
|
|
|
2022-09-13 01:13:16 +00:00
|
|
|
impl fmt::Display for Error {
|
|
|
|
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
|
Make error types uniform
On our way to v1.0.0 we are defining a standard for our error types,
this includes:
- Uses the following derives (unless not possible, usually because of `io::Error`)
`#[derive(Debug, Clone, PartialEq, Eq)]`
- Has `non_exhaustive` unless we really know we can commit to not adding
anything.
Furthermore, we are trying to make the codebase easy to read. Error code
is write-once-read-many (well it should be) so if we make all the error
code super uniform the users can flick to an error and quickly see what
it includes. In an effort to achieve this I have made up a style and
over recent times have change much of the error code to that new style,
this PR audits _all_ error types in the code base and enforces the
style, specifically:
- Is layed out: definition, [impl block], Display impl, error::Error impl, From impls
- `error::Error` impl matches on enum even if it returns `None` for all variants
- Display/Error impls import enum variants locally
- match uses *self and `ref e`
- error::Error variants that return `Some` come first, `None` after
Re: non_exhaustive
To make dev and review easier I have added `non_exhaustive` to _every_
error type. We can then remove it error by error as we see fit. This is
because it takes a bit of thinking to do and review where as this patch
should not take much brain power to review.
2023-10-04 02:55:45 +00:00
|
|
|
use Error::*;
|
|
|
|
|
2022-09-13 01:13:16 +00:00
|
|
|
match *self {
|
Make error types uniform
On our way to v1.0.0 we are defining a standard for our error types,
this includes:
- Uses the following derives (unless not possible, usually because of `io::Error`)
`#[derive(Debug, Clone, PartialEq, Eq)]`
- Has `non_exhaustive` unless we really know we can commit to not adding
anything.
Furthermore, we are trying to make the codebase easy to read. Error code
is write-once-read-many (well it should be) so if we make all the error
code super uniform the users can flick to an error and quickly see what
it includes. In an effort to achieve this I have made up a style and
over recent times have change much of the error code to that new style,
this PR audits _all_ error types in the code base and enforces the
style, specifically:
- Is layed out: definition, [impl block], Display impl, error::Error impl, From impls
- `error::Error` impl matches on enum even if it returns `None` for all variants
- Display/Error impls import enum variants locally
- match uses *self and `ref e`
- error::Error variants that return `Some` come first, `None` after
Re: non_exhaustive
To make dev and review easier I have added `non_exhaustive` to _every_
error type. We can then remove it error by error as we see fit. This is
because it takes a bit of thinking to do and review where as this patch
should not take much brain power to review.
2023-10-04 02:55:45 +00:00
|
|
|
BadByte(b) => write!(f, "invalid base58 character {:#x}", b),
|
|
|
|
BadChecksum(exp, actual) =>
|
2022-11-28 22:49:02 +00:00
|
|
|
write!(f, "base58ck checksum {:#x} does not match expected {:#x}", actual, exp),
|
Make error types uniform
On our way to v1.0.0 we are defining a standard for our error types,
this includes:
- Uses the following derives (unless not possible, usually because of `io::Error`)
`#[derive(Debug, Clone, PartialEq, Eq)]`
- Has `non_exhaustive` unless we really know we can commit to not adding
anything.
Furthermore, we are trying to make the codebase easy to read. Error code
is write-once-read-many (well it should be) so if we make all the error
code super uniform the users can flick to an error and quickly see what
it includes. In an effort to achieve this I have made up a style and
over recent times have change much of the error code to that new style,
this PR audits _all_ error types in the code base and enforces the
style, specifically:
- Is layed out: definition, [impl block], Display impl, error::Error impl, From impls
- `error::Error` impl matches on enum even if it returns `None` for all variants
- Display/Error impls import enum variants locally
- match uses *self and `ref e`
- error::Error variants that return `Some` come first, `None` after
Re: non_exhaustive
To make dev and review easier I have added `non_exhaustive` to _every_
error type. We can then remove it error by error as we see fit. This is
because it takes a bit of thinking to do and review where as this patch
should not take much brain power to review.
2023-10-04 02:55:45 +00:00
|
|
|
InvalidLength(ell) => write!(f, "length {} invalid for this base58 type", ell),
|
|
|
|
InvalidExtendedKeyVersion(ref v) =>
|
2022-11-28 22:49:02 +00:00
|
|
|
write!(f, "extended key version {:#04x?} is invalid for this base58 type", v),
|
Make error types uniform
On our way to v1.0.0 we are defining a standard for our error types,
this includes:
- Uses the following derives (unless not possible, usually because of `io::Error`)
`#[derive(Debug, Clone, PartialEq, Eq)]`
- Has `non_exhaustive` unless we really know we can commit to not adding
anything.
Furthermore, we are trying to make the codebase easy to read. Error code
is write-once-read-many (well it should be) so if we make all the error
code super uniform the users can flick to an error and quickly see what
it includes. In an effort to achieve this I have made up a style and
over recent times have change much of the error code to that new style,
this PR audits _all_ error types in the code base and enforces the
style, specifically:
- Is layed out: definition, [impl block], Display impl, error::Error impl, From impls
- `error::Error` impl matches on enum even if it returns `None` for all variants
- Display/Error impls import enum variants locally
- match uses *self and `ref e`
- error::Error variants that return `Some` come first, `None` after
Re: non_exhaustive
To make dev and review easier I have added `non_exhaustive` to _every_
error type. We can then remove it error by error as we see fit. This is
because it takes a bit of thinking to do and review where as this patch
should not take much brain power to review.
2023-10-04 02:55:45 +00:00
|
|
|
InvalidAddressVersion(ref v) =>
|
2022-11-28 22:49:02 +00:00
|
|
|
write!(f, "address version {} is invalid for this base58 type", v),
|
Make error types uniform
On our way to v1.0.0 we are defining a standard for our error types,
this includes:
- Uses the following derives (unless not possible, usually because of `io::Error`)
`#[derive(Debug, Clone, PartialEq, Eq)]`
- Has `non_exhaustive` unless we really know we can commit to not adding
anything.
Furthermore, we are trying to make the codebase easy to read. Error code
is write-once-read-many (well it should be) so if we make all the error
code super uniform the users can flick to an error and quickly see what
it includes. In an effort to achieve this I have made up a style and
over recent times have change much of the error code to that new style,
this PR audits _all_ error types in the code base and enforces the
style, specifically:
- Is layed out: definition, [impl block], Display impl, error::Error impl, From impls
- `error::Error` impl matches on enum even if it returns `None` for all variants
- Display/Error impls import enum variants locally
- match uses *self and `ref e`
- error::Error variants that return `Some` come first, `None` after
Re: non_exhaustive
To make dev and review easier I have added `non_exhaustive` to _every_
error type. We can then remove it error by error as we see fit. This is
because it takes a bit of thinking to do and review where as this patch
should not take much brain power to review.
2023-10-04 02:55:45 +00:00
|
|
|
TooShort(_) => write!(f, "base58ck data not even long enough for a checksum"),
|
2022-09-13 01:13:16 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
#[cfg(feature = "std")]
|
|
|
|
impl std::error::Error for Error {
|
|
|
|
fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
|
Make error types uniform
On our way to v1.0.0 we are defining a standard for our error types,
this includes:
- Uses the following derives (unless not possible, usually because of `io::Error`)
`#[derive(Debug, Clone, PartialEq, Eq)]`
- Has `non_exhaustive` unless we really know we can commit to not adding
anything.
Furthermore, we are trying to make the codebase easy to read. Error code
is write-once-read-many (well it should be) so if we make all the error
code super uniform the users can flick to an error and quickly see what
it includes. In an effort to achieve this I have made up a style and
over recent times have change much of the error code to that new style,
this PR audits _all_ error types in the code base and enforces the
style, specifically:
- Is layed out: definition, [impl block], Display impl, error::Error impl, From impls
- `error::Error` impl matches on enum even if it returns `None` for all variants
- Display/Error impls import enum variants locally
- match uses *self and `ref e`
- error::Error variants that return `Some` come first, `None` after
Re: non_exhaustive
To make dev and review easier I have added `non_exhaustive` to _every_
error type. We can then remove it error by error as we see fit. This is
because it takes a bit of thinking to do and review where as this patch
should not take much brain power to review.
2023-10-04 02:55:45 +00:00
|
|
|
use Error::*;
|
2022-09-13 01:13:16 +00:00
|
|
|
|
|
|
|
match self {
|
|
|
|
BadByte(_)
|
|
|
|
| BadChecksum(_, _)
|
|
|
|
| InvalidLength(_)
|
|
|
|
| InvalidExtendedKeyVersion(_)
|
|
|
|
| InvalidAddressVersion(_)
|
|
|
|
| TooShort(_) => None,
|
|
|
|
}
|
|
|
|
}
|
2018-08-20 19:40:00 +00:00
|
|
|
}
|
|
|
|
|
2014-08-25 06:03:47 +00:00
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
2023-08-10 22:44:58 +00:00
|
|
|
use hex::test_hex_unwrap as hex;
|
|
|
|
|
2018-03-09 17:53:20 +00:00
|
|
|
use super::*;
|
2015-04-07 22:51:57 +00:00
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn test_base58_encode() {
|
|
|
|
// Basics
|
2022-09-13 01:40:49 +00:00
|
|
|
assert_eq!(&encode(&[0][..]), "1");
|
|
|
|
assert_eq!(&encode(&[1][..]), "2");
|
|
|
|
assert_eq!(&encode(&[58][..]), "21");
|
|
|
|
assert_eq!(&encode(&[13, 36][..]), "211");
|
2015-04-07 22:51:57 +00:00
|
|
|
|
|
|
|
// Leading zeroes
|
2022-09-13 01:40:49 +00:00
|
|
|
assert_eq!(&encode(&[0, 13, 36][..]), "1211");
|
|
|
|
assert_eq!(&encode(&[0, 0, 0, 0, 13, 36][..]), "1111211");
|
2015-04-07 22:51:57 +00:00
|
|
|
|
2018-11-09 23:11:04 +00:00
|
|
|
// Long input (>100 bytes => has to use heap)
|
2022-11-28 22:49:02 +00:00
|
|
|
let res = encode(
|
|
|
|
"BitcoinBitcoinBitcoinBitcoinBitcoinBitcoinBitcoinBitcoinBitcoinBit\
|
|
|
|
coinBitcoinBitcoinBitcoinBitcoinBitcoinBitcoinBitcoinBitcoinBitcoinBitcoin"
|
|
|
|
.as_bytes(),
|
|
|
|
);
|
|
|
|
let exp =
|
|
|
|
"ZqC5ZdfpZRi7fjA8hbhX5pEE96MdH9hEaC1YouxscPtbJF16qVWksHWR4wwvx7MotFcs2ChbJqK8KJ9X\
|
2018-11-09 23:11:04 +00:00
|
|
|
wZznwWn1JFDhhTmGo9v6GjAVikzCsBWZehu7bm22xL8b5zBR5AsBygYRwbFJsNwNkjpyFuDKwmsUTKvkULCvucPJrN5\
|
|
|
|
QUdxpGakhqkZFL7RU4yT";
|
|
|
|
assert_eq!(&res, exp);
|
|
|
|
|
2015-04-07 22:51:57 +00:00
|
|
|
// Addresses
|
2022-12-03 19:57:18 +00:00
|
|
|
let addr = hex!("00f8917303bfa8ef24f292e8fa1419b20460ba064d");
|
2022-09-13 01:40:49 +00:00
|
|
|
assert_eq!(&encode_check(&addr[..]), "1PfJpZsjreyVrqeoAfabrRwwjQyoSQMmHH");
|
2022-01-24 01:36:46 +00:00
|
|
|
}
|
2015-04-07 22:51:57 +00:00
|
|
|
|
2022-01-24 01:36:46 +00:00
|
|
|
#[test]
|
|
|
|
fn test_base58_decode() {
|
2015-04-07 22:51:57 +00:00
|
|
|
// Basics
|
2022-09-13 01:40:49 +00:00
|
|
|
assert_eq!(decode("1").ok(), Some(vec![0u8]));
|
|
|
|
assert_eq!(decode("2").ok(), Some(vec![1u8]));
|
|
|
|
assert_eq!(decode("21").ok(), Some(vec![58u8]));
|
|
|
|
assert_eq!(decode("211").ok(), Some(vec![13u8, 36]));
|
2015-04-07 22:51:57 +00:00
|
|
|
|
|
|
|
// Leading zeroes
|
2022-09-13 01:40:49 +00:00
|
|
|
assert_eq!(decode("1211").ok(), Some(vec![0u8, 13, 36]));
|
|
|
|
assert_eq!(decode("111211").ok(), Some(vec![0u8, 0, 0, 13, 36]));
|
2015-04-07 22:51:57 +00:00
|
|
|
|
|
|
|
// Addresses
|
2022-11-28 22:49:02 +00:00
|
|
|
assert_eq!(
|
|
|
|
decode_check("1PfJpZsjreyVrqeoAfabrRwwjQyoSQMmHH").ok(),
|
2022-12-03 19:57:18 +00:00
|
|
|
Some(hex!("00f8917303bfa8ef24f292e8fa1419b20460ba064d"))
|
2022-11-28 22:49:02 +00:00
|
|
|
);
|
2020-01-20 18:08:07 +00:00
|
|
|
// Non Base58 char.
|
2022-09-13 01:40:49 +00:00
|
|
|
assert_eq!(decode("¢").unwrap_err(), Error::BadByte(194));
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn test_base58_roundtrip() {
|
|
|
|
let s = "xprv9wTYmMFdV23N2TdNG573QoEsfRrWKQgWeibmLntzniatZvR9BmLnvSxqu53Kw1UmYPxLgboyZQaXwTCg8MSY3H2EU4pWcQDnRnrVA1xe8fs";
|
2022-09-13 01:40:49 +00:00
|
|
|
let v: Vec<u8> = decode_check(s).unwrap();
|
|
|
|
assert_eq!(encode_check(&v[..]), s);
|
|
|
|
assert_eq!(decode_check(&encode_check(&v[..])).ok(), Some(v));
|
2020-01-20 18:08:07 +00:00
|
|
|
|
|
|
|
// Check that empty slice passes roundtrip.
|
2022-09-13 01:40:49 +00:00
|
|
|
assert_eq!(decode_check(&encode_check(&[])), Ok(vec![]));
|
2020-01-20 18:08:07 +00:00
|
|
|
// Check that `len > 4` is enforced.
|
2022-11-28 22:49:02 +00:00
|
|
|
assert_eq!(decode_check(&encode(&[1, 2, 3])), Err(Error::TooShort(3)));
|
2015-04-07 22:51:57 +00:00
|
|
|
}
|
2014-08-25 06:03:47 +00:00
|
|
|
}
|