Skip to content

Commit 684a6a4

Browse files
committed
Implement TryFrom various integer types
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 rust-bitcoin#60 and the stdlib macros of the same name.
1 parent 7ab12fc commit 684a6a4

File tree

2 files changed

+146
-18
lines changed

2 files changed

+146
-18
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

+115-18
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+
)+
104117
}
105118
}
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+
)+
142+
}
143+
}
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,12 +712,14 @@ 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 {
@@ -686,9 +731,10 @@ impl fmt::Display for Error {
686731
InvalidChecksum => write!(f, "invalid checksum"),
687732
InvalidLength => write!(f, "invalid length"),
688733
InvalidChar(n) => write!(f, "invalid character (code={})", n),
689-
InvalidData(n) => write!(f, "invalid data point ({})", n),
690734
InvalidPadding => write!(f, "invalid padding"),
691735
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"),
692738
}
693739
}
694740
}
@@ -699,12 +745,54 @@ impl std::error::Error for Error {
699745
use Error::*;
700746

701747
match *self {
748+
TryFrom(ref e) => Some(e),
702749
MissingSeparator | InvalidChecksum | InvalidLength | InvalidChar(_)
703-
| InvalidData(_) | InvalidPadding | MixedCase => None,
750+
| InvalidPadding | MixedCase | Overflow => None,
704751
}
705752
}
706753
}
707754

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+
708796
/// Convert between bit sizes
709797
///
710798
/// # Errors
@@ -738,7 +826,7 @@ where
738826
let v: u32 = u32::from(Into::<u8>::into(*value));
739827
if (v >> from) != 0 {
740828
// Input value exceeds `from` bit size
741-
return Err(Error::InvalidData(v as u8));
829+
return Err(Error::Overflow);
742830
}
743831
acc = (acc << from) | v;
744832
bits += from;
@@ -885,7 +973,7 @@ mod tests {
885973
// Set of [data, from_bits, to_bits, pad, expected error]
886974
let tests: Vec<(Vec<u8>, u32, u32, bool, Error)> = vec![
887975
(vec![0xff], 8, 5, false, Error::InvalidPadding),
888-
(vec![0x02], 1, 1, true, Error::InvalidData(0x02)),
976+
(vec![0x02], 1, 1, true, Error::Overflow),
889977
];
890978
for t in tests {
891979
let (data, from_bits, to_bits, pad, expected_error) = t;
@@ -918,7 +1006,7 @@ mod tests {
9181006
assert!([0u8, 1, 2, 30, 31, 255].check_base32().is_err());
9191007

9201008
assert!([1u8, 2, 3, 4].check_base32().is_ok());
921-
assert_eq!([30u8, 31, 35, 20].check_base32(), Err(Error::InvalidData(35)));
1009+
assert_eq!([30u8, 31, 35, 20].check_base32(), Err(Error::TryFrom(TryFromIntError::PosOverflow)))
9221010
}
9231011

9241012
#[test]
@@ -1028,4 +1116,13 @@ mod tests {
10281116

10291117
assert_eq!(encoded_str, "hrp1qqqq40atq3");
10301118
}
1119+
1120+
#[test]
1121+
fn try_from_err() {
1122+
assert!(u5::try_from(32_u8).is_err());
1123+
assert!(u5::try_from(32_u16).is_err());
1124+
assert!(u5::try_from(32_u32).is_err());
1125+
assert!(u5::try_from(32_u64).is_err());
1126+
assert!(u5::try_from(32_u128).is_err());
1127+
}
10311128
}

0 commit comments

Comments
 (0)