-
Notifications
You must be signed in to change notification settings - Fork 264
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Introduce new error handling convention #635
Draft
tcharding
wants to merge
6
commits into
rust-bitcoin:master
Choose a base branch
from
tcharding:07-26-new-error-handling-convention
base: master
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Draft
Changes from 4 commits
Commits
Show all changes
6 commits
Select commit
Hold shift + click to select a range
c5b6226
Return Result<Self, Self::Err> in FromStr impls
tcharding ebfb3e2
Move associated type to top of impl
tcharding ec02f3f
Move hex code to new submodule
tcharding 08c330f
Add PreallocatedBuffer
tcharding 7bd28e1
Use TryFrom in SharedSecret::from_slice
tcharding 4e72db6
Split general error into specific
tcharding File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1,5 +1,6 @@ | ||
// SPDX-License-Identifier: CC0-1.0 | ||
|
||
use core::fmt; | ||
use core::marker::PhantomData; | ||
use core::mem::ManuallyDrop; | ||
use core::ptr::NonNull; | ||
|
@@ -8,7 +9,7 @@ use core::ptr::NonNull; | |
pub use self::alloc_only::*; | ||
use crate::ffi::types::{c_uint, c_void, AlignedType}; | ||
use crate::ffi::{self, CPtr}; | ||
use crate::{Error, Secp256k1}; | ||
use crate::Secp256k1; | ||
|
||
#[cfg(all(feature = "global-context", feature = "std"))] | ||
/// Module implementing a singleton pattern for a global `Secp256k1` context. | ||
|
@@ -320,30 +321,51 @@ unsafe impl<'buf> PreallocatedContext<'buf> for AllPreallocated<'buf> {} | |
unsafe impl<'buf> PreallocatedContext<'buf> for SignOnlyPreallocated<'buf> {} | ||
unsafe impl<'buf> PreallocatedContext<'buf> for VerifyOnlyPreallocated<'buf> {} | ||
|
||
/// A preallocated buffer, enforces the invariant that the buffer is big enough. | ||
#[allow(missing_debug_implementations)] | ||
pub struct PreallocatedBuffer<'buf>(&'buf [AlignedType]); | ||
|
||
impl<'buf> ffi::CPtr for PreallocatedBuffer<'buf> { | ||
type Target = AlignedType; | ||
fn as_c_ptr(&self) -> *const Self::Target { self.0.as_c_ptr() } | ||
fn as_mut_c_ptr(&mut self) -> *mut Self::Target { self.0.as_mut_c_ptr() } | ||
} | ||
|
||
impl<'buf, C: Context + PreallocatedContext<'buf>> Secp256k1<C> { | ||
/// Wraps `buf` in a `PreallocatedBuffer`. | ||
/// | ||
/// # Errors | ||
/// | ||
/// Returns `NotEnoughMemoryError` if the buffer is too small. | ||
pub fn buffer( | ||
buf: &'buf mut [AlignedType], | ||
) -> Result<PreallocatedBuffer, NotEnoughMemoryError> { | ||
if buf.len() < Self::preallocate_size_gen() { | ||
return Err(NotEnoughMemoryError); | ||
} | ||
Ok(PreallocatedBuffer(buf)) | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. This also should have an See also #665 |
||
|
||
/// Lets you create a context with a preallocated buffer in a generic manner (sign/verify/all). | ||
pub fn preallocated_gen_new(buf: &'buf mut [AlignedType]) -> Result<Secp256k1<C>, Error> { | ||
pub fn preallocated_gen_new(buf: &'buf mut PreallocatedBuffer) -> Secp256k1<C> { | ||
#[cfg(target_arch = "wasm32")] | ||
ffi::types::sanity_checks_for_wasm(); | ||
|
||
if buf.len() < Self::preallocate_size_gen() { | ||
return Err(Error::NotEnoughMemory); | ||
} | ||
// Safe because buf is not null since it is not empty. | ||
let buf = unsafe { NonNull::new_unchecked(buf.as_mut_c_ptr() as *mut c_void) }; | ||
|
||
Ok(Secp256k1 { | ||
Secp256k1 { | ||
ctx: unsafe { ffi::secp256k1_context_preallocated_create(buf, AllPreallocated::FLAGS) }, | ||
phantom: PhantomData, | ||
}) | ||
} | ||
} | ||
} | ||
|
||
impl<'buf> Secp256k1<AllPreallocated<'buf>> { | ||
/// Creates a new Secp256k1 context with all capabilities. | ||
pub fn preallocated_new( | ||
buf: &'buf mut [AlignedType], | ||
) -> Result<Secp256k1<AllPreallocated<'buf>>, Error> { | ||
buf: &'buf mut PreallocatedBuffer<'buf>, | ||
) -> Secp256k1<AllPreallocated<'buf>> { | ||
Secp256k1::preallocated_gen_new(buf) | ||
} | ||
/// Uses the ffi `secp256k1_context_preallocated_size` to check the memory size needed for a context. | ||
|
@@ -377,8 +399,8 @@ impl<'buf> Secp256k1<AllPreallocated<'buf>> { | |
impl<'buf> Secp256k1<SignOnlyPreallocated<'buf>> { | ||
/// Creates a new Secp256k1 context that can only be used for signing. | ||
pub fn preallocated_signing_only( | ||
buf: &'buf mut [AlignedType], | ||
) -> Result<Secp256k1<SignOnlyPreallocated<'buf>>, Error> { | ||
buf: &'buf mut PreallocatedBuffer<'buf>, | ||
) -> Secp256k1<SignOnlyPreallocated<'buf>> { | ||
Secp256k1::preallocated_gen_new(buf) | ||
} | ||
|
||
|
@@ -401,8 +423,8 @@ impl<'buf> Secp256k1<SignOnlyPreallocated<'buf>> { | |
impl<'buf> Secp256k1<VerifyOnlyPreallocated<'buf>> { | ||
/// Creates a new Secp256k1 context that can only be used for verification | ||
pub fn preallocated_verification_only( | ||
buf: &'buf mut [AlignedType], | ||
) -> Result<Secp256k1<VerifyOnlyPreallocated<'buf>>, Error> { | ||
buf: &'buf mut PreallocatedBuffer<'buf>, | ||
) -> Secp256k1<VerifyOnlyPreallocated<'buf>> { | ||
Secp256k1::preallocated_gen_new(buf) | ||
} | ||
|
||
|
@@ -421,3 +443,20 @@ impl<'buf> Secp256k1<VerifyOnlyPreallocated<'buf>> { | |
ManuallyDrop::new(Secp256k1 { ctx: raw_ctx, phantom: PhantomData }) | ||
} | ||
} | ||
|
||
/// Not enough memory for a preallocated buffer. | ||
#[derive(Debug, Clone, PartialEq, Eq)] | ||
#[non_exhaustive] | ||
#[allow(missing_copy_implementations)] // Don't implement Copy when we use non_exhaustive. | ||
pub struct NotEnoughMemoryError; | ||
|
||
impl fmt::Display for NotEnoughMemoryError { | ||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { | ||
f.write_str("not enough memory to use as a preallocated buffer") | ||
} | ||
} | ||
|
||
#[cfg(feature = "std")] | ||
impl std::error::Error for NotEnoughMemoryError { | ||
fn source(&self) -> Option<&(dyn std::error::Error + 'static)> { None } | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,54 @@ | ||
// SPDX-License-Identifier: CC0-1.0 | ||
|
||
//! Conversion to and from hexadecimal strings. | ||
|
||
use core::str; | ||
|
||
/// Utility function used to parse hex into a target u8 buffer. Returns | ||
/// the number of bytes converted or an error if it encounters an invalid | ||
/// character or unexpected end of string. | ||
pub(crate) fn from_hex(hex: &str, target: &mut [u8]) -> Result<usize, ()> { | ||
if hex.len() % 2 == 1 || hex.len() > target.len() * 2 { | ||
return Err(()); | ||
} | ||
|
||
let mut b = 0; | ||
let mut idx = 0; | ||
for c in hex.bytes() { | ||
b <<= 4; | ||
match c { | ||
b'A'..=b'F' => b |= c - b'A' + 10, | ||
b'a'..=b'f' => b |= c - b'a' + 10, | ||
b'0'..=b'9' => b |= c - b'0', | ||
_ => return Err(()), | ||
} | ||
if (idx & 1) == 1 { | ||
target[idx / 2] = b; | ||
b = 0; | ||
} | ||
idx += 1; | ||
} | ||
Ok(idx / 2) | ||
} | ||
|
||
/// Utility function used to encode hex into a target u8 buffer. Returns | ||
/// a reference to the target buffer as an str. Returns an error if the target | ||
/// buffer isn't big enough. | ||
#[inline] | ||
pub(crate) fn to_hex<'a>(src: &[u8], target: &'a mut [u8]) -> Result<&'a str, ()> { | ||
let hex_len = src.len() * 2; | ||
if target.len() < hex_len { | ||
return Err(()); | ||
} | ||
const HEX_TABLE: [u8; 16] = *b"0123456789abcdef"; | ||
|
||
let mut i = 0; | ||
for &b in src { | ||
target[i] = HEX_TABLE[usize::from(b >> 4)]; | ||
target[i + 1] = HEX_TABLE[usize::from(b & 0b00001111)]; | ||
i += 2; | ||
} | ||
let result = &target[..hex_len]; | ||
debug_assert!(str::from_utf8(result).is_ok()); | ||
return unsafe { Ok(str::from_utf8_unchecked(result)) }; | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
This needs to be
mut
as it's unsound otherwise.Also FYI I probably meant something else but can't remember what it was. I guess I meant
&mut AlignedType
which is unsound. We could also just use unsized typepub struct PreallocatedBuffer([AligneType]);
which is more idiomatic.In ideal world we would use an extern type but those aren't even stable.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
We should also probably make
AlignedType
containMaybeUninit
or something like that, as the C code might write padding bytes to it.I think it wasn't stable (enough) back when I implemented this logic
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Yeah, it wasn't stable back then. Definitely should. I promoted this to #707 because I expect this old PR to get closed.