Skip to content

Commit 27bfcba

Browse files
committed
Merge #92: Implement TryFrom<T> for u5 for all standard integer types
25462c9 Implement TryFrom various integer types (Tobin C. Harding) 7ab12fc Use Error variants locally (Tobin C. Harding) Pull request description: Patch 1 is preparatory clean up. From the commit log of patch 2: Currently we use `Error::InvalidData(u8)` to attempt to cache an invalid value encountered while converting to a `u8`. This is buggy because we cast to the `u8` to stash the value so we loose valuable bits. Implement `TryFrom` by doing: - Add an `Error::Overflow` variant. - Use `Error::Overflow` for conversion _outside_ of `TryFrom` impls - Add a new `TryFromError` and nest it in `Error::TryFrom` - Implement `TryFrom<T> for u5` impls for all standard integer types. Inspired by issue #60 and the stdlib macros of the same name. Please note, there is expected error work to come soon on this crate, can we keep perfect error code out of scope for this PR please (obviously if it has gaping problems then yell at me)? Note that the same derives are used here as for `Error` even though I think they are wrong. Done as part of stabilising (#60). ACKs for top commit: apoelstra: ACK 25462c9 Tree-SHA512: 830c6d0e1a8fa8badc983497b9eb6f0e38f0d81dc4f33dd5cd882d3e34836cfca277b4b1af9d98ea26e8cc0e53df9e708d8bc7d84757104cd05054fcbec169e0
2 parents f33d2b0 + 25462c9 commit 27bfcba

File tree

2 files changed

+158
-25
lines changed

2 files changed

+158
-25
lines changed

src/error.rs

+31
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,31 @@
1+
// Written by the Rust Bitcoin developers.
2+
// SPDX-License-Identifier: CC0-1.0
3+
4+
// TODO: We can get this from `bitcoin-internals` crate once that is released.
5+
6+
//! # Error
7+
//!
8+
//! Error handling macros and helpers.
9+
//!
10+
11+
/// Formats error.
12+
///
13+
/// If `std` feature is OFF appends error source (delimited by `: `). We do this because
14+
/// `e.source()` is only available in std builds, without this macro the error source is lost for
15+
/// no-std builds.
16+
#[macro_export]
17+
macro_rules! write_err {
18+
($writer:expr, $string:literal $(, $args:expr)*; $source:expr) => {
19+
{
20+
#[cfg(feature = "std")]
21+
{
22+
let _ = &$source; // Prevents clippy warnings.
23+
write!($writer, $string $(, $args)*)
24+
}
25+
#[cfg(not(feature = "std"))]
26+
{
27+
write!($writer, concat!($string, ": {}") $(, $args)*, $source)
28+
}
29+
}
30+
}
31+
}

src/lib.rs

+127-25
Original file line numberDiff line numberDiff line change
@@ -74,6 +74,8 @@ use core::{fmt, mem};
7474
#[cfg(feature = "std")]
7575
use std::borrow::Cow;
7676

77+
mod error;
78+
7779
/// Integer in the range `0..32`
7880
#[derive(PartialEq, Eq, Debug, Copy, Clone, Default, PartialOrd, Ord, Hash)]
7981
#[allow(non_camel_case_types)]
@@ -91,18 +93,56 @@ impl From<u5> for u8 {
9193
fn from(v: u5) -> u8 { v.0 }
9294
}
9395

94-
impl TryFrom<u8> for u5 {
95-
type Error = Error;
96-
97-
/// Errors if `value` is out of range.
98-
fn try_from(value: u8) -> Result<Self, Self::Error> {
99-
if value > 31 {
100-
Err(Error::InvalidData(value))
101-
} else {
102-
Ok(u5(value))
103-
}
96+
macro_rules! impl_try_from_upper_bounded {
97+
($($ty:ident)+) => {
98+
$(
99+
impl TryFrom<$ty> for u5 {
100+
type Error = TryFromIntError;
101+
102+
/// Tries to create the target number type from a source number type.
103+
///
104+
/// # Errors
105+
///
106+
/// Returns an error if `value` overflows a `u5`.
107+
fn try_from(value: $ty) -> Result<Self, Self::Error> {
108+
if value > 31 {
109+
Err(TryFromIntError::PosOverflow)
110+
} else {
111+
let x = u8::try_from(value).expect("within range");
112+
Ok(u5(x))
113+
}
114+
}
115+
}
116+
)+
117+
}
118+
}
119+
macro_rules! impl_try_from_both_bounded {
120+
($($ty:ident)+) => {
121+
$(
122+
impl TryFrom<$ty> for u5 {
123+
type Error = TryFromIntError;
124+
125+
/// Tries to create the target number type from a source number type.
126+
///
127+
/// # Errors
128+
///
129+
/// Returns an error if `value` is outside of the range of a `u5`.
130+
fn try_from(value: $ty) -> Result<Self, Self::Error> {
131+
if value < 0 {
132+
Err(TryFromIntError::NegOverflow)
133+
} else if value > 31 {
134+
Err(TryFromIntError::PosOverflow)
135+
} else {
136+
let x = u8::try_from(value).expect("within range");
137+
Ok(u5(x))
138+
}
139+
}
140+
}
141+
)+
104142
}
105143
}
144+
impl_try_from_upper_bounded!(u8 u16 u32 u64 u128);
145+
impl_try_from_both_bounded!(i8 i16 i32 i64 i128);
106146

107147
impl AsRef<u8> for u5 {
108148
fn as_ref(&self) -> &u8 { &self.0 }
@@ -340,7 +380,10 @@ impl<T: AsRef<[u8]>> CheckBase32<Vec<u5>> for T {
340380
type Err = Error;
341381

342382
fn check_base32(self) -> Result<Vec<u5>, Self::Err> {
343-
self.as_ref().iter().map(|x| u5::try_from(*x)).collect::<Result<Vec<u5>, Error>>()
383+
self.as_ref()
384+
.iter()
385+
.map(|x| u5::try_from(*x).map_err(Error::TryFrom))
386+
.collect::<Result<Vec<u5>, Error>>()
344387
}
345388
}
346389

@@ -669,40 +712,87 @@ pub enum Error {
669712
InvalidLength,
670713
/// Some part of the string contains an invalid character.
671714
InvalidChar(char),
672-
/// Some part of the data has an invalid value.
673-
InvalidData(u8),
674715
/// The bit conversion failed due to a padding issue.
675716
InvalidPadding,
676717
/// The whole string must be of one case.
677718
MixedCase,
719+
/// Attempted to convert a value which overflows a `u5`.
720+
Overflow,
721+
/// Conversion to u5 failed.
722+
TryFrom(TryFromIntError),
678723
}
679724

680725
impl fmt::Display for Error {
681726
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
727+
use Error::*;
728+
682729
match *self {
683-
Error::MissingSeparator => write!(f, "missing human-readable separator, \"{}\"", SEP),
684-
Error::InvalidChecksum => write!(f, "invalid checksum"),
685-
Error::InvalidLength => write!(f, "invalid length"),
686-
Error::InvalidChar(n) => write!(f, "invalid character (code={})", n),
687-
Error::InvalidData(n) => write!(f, "invalid data point ({})", n),
688-
Error::InvalidPadding => write!(f, "invalid padding"),
689-
Error::MixedCase => write!(f, "mixed-case strings not allowed"),
730+
MissingSeparator => write!(f, "missing human-readable separator, \"{}\"", SEP),
731+
InvalidChecksum => write!(f, "invalid checksum"),
732+
InvalidLength => write!(f, "invalid length"),
733+
InvalidChar(n) => write!(f, "invalid character (code={})", n),
734+
InvalidPadding => write!(f, "invalid padding"),
735+
MixedCase => write!(f, "mixed-case strings not allowed"),
736+
TryFrom(ref e) => write_err!(f, "conversion to u5 failed"; e),
737+
Overflow => write!(f, "attempted to convert a value which overflows a u5"),
690738
}
691739
}
692740
}
693741

694742
#[cfg(feature = "std")]
695743
impl std::error::Error for Error {
696744
fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
697-
use self::Error::*;
745+
use Error::*;
698746

699747
match *self {
748+
TryFrom(ref e) => Some(e),
700749
MissingSeparator | InvalidChecksum | InvalidLength | InvalidChar(_)
701-
| InvalidData(_) | InvalidPadding | MixedCase => None,
750+
| InvalidPadding | MixedCase | Overflow => None,
702751
}
703752
}
704753
}
705754

755+
impl From<TryFromIntError> for Error {
756+
fn from(e: TryFromIntError) -> Self { Error::TryFrom(e) }
757+
}
758+
759+
/// Error return when TryFrom<T> fails for T -> u5 conversion.
760+
#[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash, Debug)]
761+
pub enum TryFromIntError {
762+
/// Attempted to convert a negative value to a `u5`.
763+
NegOverflow,
764+
/// Attempted to convert a value which overflows a `u5`.
765+
PosOverflow,
766+
}
767+
768+
impl fmt::Display for TryFromIntError {
769+
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
770+
use TryFromIntError::*;
771+
772+
match *self {
773+
NegOverflow => write!(f, "attempted to convert a negative value to a u5"),
774+
PosOverflow => write!(f, "attempted to convert a value which overflows a u5"),
775+
}
776+
}
777+
}
778+
779+
#[cfg(feature = "std")]
780+
impl std::error::Error for TryFromIntError {
781+
fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
782+
use TryFromIntError::*;
783+
784+
match *self {
785+
NegOverflow | PosOverflow => None,
786+
}
787+
}
788+
}
789+
790+
// impl From<convert::Error> for Error {
791+
// fn from(e: convert::Error) -> Self {
792+
// Error::InvalidData(e)
793+
// }
794+
// }
795+
706796
/// Convert between bit sizes
707797
///
708798
/// # Errors
@@ -736,7 +826,7 @@ where
736826
let v: u32 = u32::from(Into::<u8>::into(*value));
737827
if (v >> from) != 0 {
738828
// Input value exceeds `from` bit size
739-
return Err(Error::InvalidData(v as u8));
829+
return Err(Error::Overflow);
740830
}
741831
acc = (acc << from) | v;
742832
bits += from;
@@ -883,7 +973,7 @@ mod tests {
883973
// Set of [data, from_bits, to_bits, pad, expected error]
884974
let tests: Vec<(Vec<u8>, u32, u32, bool, Error)> = vec![
885975
(vec![0xff], 8, 5, false, Error::InvalidPadding),
886-
(vec![0x02], 1, 1, true, Error::InvalidData(0x02)),
976+
(vec![0x02], 1, 1, true, Error::Overflow),
887977
];
888978
for t in tests {
889979
let (data, from_bits, to_bits, pad, expected_error) = t;
@@ -916,7 +1006,10 @@ mod tests {
9161006
assert!([0u8, 1, 2, 30, 31, 255].check_base32().is_err());
9171007

9181008
assert!([1u8, 2, 3, 4].check_base32().is_ok());
919-
assert_eq!([30u8, 31, 35, 20].check_base32(), Err(Error::InvalidData(35)));
1009+
assert_eq!(
1010+
[30u8, 31, 35, 20].check_base32(),
1011+
Err(Error::TryFrom(TryFromIntError::PosOverflow))
1012+
)
9201013
}
9211014

9221015
#[test]
@@ -1026,4 +1119,13 @@ mod tests {
10261119

10271120
assert_eq!(encoded_str, "hrp1qqqq40atq3");
10281121
}
1122+
1123+
#[test]
1124+
fn try_from_err() {
1125+
assert!(u5::try_from(32_u8).is_err());
1126+
assert!(u5::try_from(32_u16).is_err());
1127+
assert!(u5::try_from(32_u32).is_err());
1128+
assert!(u5::try_from(32_u64).is_err());
1129+
assert!(u5::try_from(32_u128).is_err());
1130+
}
10291131
}

0 commit comments

Comments
 (0)