Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
53 changes: 11 additions & 42 deletions ssh-encoding/src/encode.rs
Original file line number Diff line number Diff line change
Expand Up @@ -19,24 +19,21 @@ use {
///
/// This trait describes how to encode a given type.
pub trait Encode {
/// Type returned in the event of an encoding error.
type Error: From<Error>;

/// Get the length of this type encoded in bytes, prior to Base64 encoding.
fn encoded_len(&self) -> Result<usize, Self::Error>;
fn encoded_len(&self) -> Result<usize, Error>;

/// Encode this value using the provided [`Writer`].
fn encode(&self, writer: &mut impl Writer) -> Result<(), Self::Error>;
fn encode(&self, writer: &mut impl Writer) -> Result<(), Error>;

/// Return the length of this type after encoding when prepended with a
/// `uint32` length prefix.
fn encoded_len_prefixed(&self) -> Result<usize, Self::Error> {
Ok([4, self.encoded_len()?].checked_sum()?)
fn encoded_len_prefixed(&self) -> Result<usize, Error> {
[4, self.encoded_len()?].checked_sum()
}

/// Encode this value, first prepending a `uint32` length prefix
/// set to [`Encode::encoded_len`].
fn encode_prefixed(&self, writer: &mut impl Writer) -> Result<(), Self::Error> {
fn encode_prefixed(&self, writer: &mut impl Writer) -> Result<(), Error> {
self.encoded_len()?.encode(writer)?;
self.encode(writer)
}
Expand All @@ -50,36 +47,28 @@ pub trait Encode {
pub trait EncodePem: Encode + PemLabel {
/// Encode this type using the [`Encode`] trait, writing the resulting PEM
/// document into the provided `out` buffer.
fn encode_pem<'o>(
&self,
line_ending: LineEnding,
out: &'o mut [u8],
) -> Result<&'o str, Self::Error>;
fn encode_pem<'o>(&self, line_ending: LineEnding, out: &'o mut [u8]) -> Result<&'o str, Error>;

/// Encode this type using the [`Encode`] trait, writing the resulting PEM
/// document to a returned [`String`].
#[cfg(feature = "alloc")]
fn encode_pem_string(&self, line_ending: LineEnding) -> Result<String, Self::Error>;
fn encode_pem_string(&self, line_ending: LineEnding) -> Result<String, Error>;
}

#[cfg(feature = "pem")]
impl<T: Encode + PemLabel> EncodePem for T {
fn encode_pem<'o>(
&self,
line_ending: LineEnding,
out: &'o mut [u8],
) -> Result<&'o str, Self::Error> {
fn encode_pem<'o>(&self, line_ending: LineEnding, out: &'o mut [u8]) -> Result<&'o str, Error> {
let mut writer =
pem::Encoder::new_wrapped(Self::PEM_LABEL, PEM_LINE_WIDTH, line_ending, out)
.map_err(Error::from)?;

self.encode(&mut writer)?;
let encoded_len = writer.finish().map_err(Error::from)?;
Ok(str::from_utf8(&out[..encoded_len]).map_err(Error::from)?)
str::from_utf8(&out[..encoded_len]).map_err(Error::from)
}

#[cfg(feature = "alloc")]
fn encode_pem_string(&self, line_ending: LineEnding) -> Result<String, Self::Error> {
fn encode_pem_string(&self, line_ending: LineEnding) -> Result<String, Error> {
let encoded_len = pem::encapsulated_len_wrapped(
Self::PEM_LABEL,
PEM_LINE_WIDTH,
Expand All @@ -91,14 +80,12 @@ impl<T: Encode + PemLabel> EncodePem for T {
let mut buf = vec![0u8; encoded_len];
let actual_len = self.encode_pem(line_ending, &mut buf)?.len();
buf.truncate(actual_len);
Ok(String::from_utf8(buf).map_err(Error::from)?)
String::from_utf8(buf).map_err(Error::from)
}
}

/// Encode a single `byte` to the writer.
impl Encode for u8 {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
Ok(1)
}
Expand All @@ -116,8 +103,6 @@ impl Encode for u8 {
///
/// [RFC4251 § 5]: https://datatracker.ietf.org/doc/html/rfc4251#section-5
impl Encode for u32 {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
Ok(4)
}
Expand All @@ -134,8 +119,6 @@ impl Encode for u32 {
///
/// [RFC4251 § 5]: https://datatracker.ietf.org/doc/html/rfc4251#section-5
impl Encode for u64 {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
Ok(8)
}
Expand All @@ -152,8 +135,6 @@ impl Encode for u64 {
///
/// [RFC4251 § 5]: https://datatracker.ietf.org/doc/html/rfc4251#section-5
impl Encode for usize {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
Ok(4)
}
Expand All @@ -171,8 +152,6 @@ impl Encode for usize {
///
/// [RFC4251 § 5]: https://datatracker.ietf.org/doc/html/rfc4251#section-5
impl Encode for [u8] {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
[4, self.len()].checked_sum()
}
Expand All @@ -191,8 +170,6 @@ impl Encode for [u8] {
///
/// [RFC4251 § 5]: https://datatracker.ietf.org/doc/html/rfc4251#section-5
impl<const N: usize> Encode for [u8; N] {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
self.as_slice().encoded_len()
}
Expand Down Expand Up @@ -220,8 +197,6 @@ impl<const N: usize> Encode for [u8; N] {
///
/// [RFC4251 § 5]: https://datatracker.ietf.org/doc/html/rfc4251#section-5
impl Encode for &str {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
self.as_bytes().encoded_len()
}
Expand All @@ -233,8 +208,6 @@ impl Encode for &str {

#[cfg(feature = "alloc")]
impl Encode for Vec<u8> {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
self.as_slice().encoded_len()
}
Expand All @@ -246,8 +219,6 @@ impl Encode for Vec<u8> {

#[cfg(feature = "alloc")]
impl Encode for String {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
self.as_str().encoded_len()
}
Expand All @@ -259,8 +230,6 @@ impl Encode for String {

#[cfg(feature = "alloc")]
impl Encode for Vec<String> {
type Error = Error;

fn encoded_len(&self) -> Result<usize, Error> {
self.iter().try_fold(4usize, |acc, string| {
acc.checked_add(string.encoded_len()?).ok_or(Error::Length)
Expand Down
13 changes: 12 additions & 1 deletion ssh-encoding/src/error.rs
Original file line number Diff line number Diff line change
@@ -1,12 +1,13 @@
//! Error types

use crate::LabelError;
use core::fmt;

/// Result type with `ssh-encoding` crate's [`Error`] as the error type.
pub type Result<T> = core::result::Result<T, Error>;

/// Error type.
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
#[derive(Clone, Debug, Eq, PartialEq)]
#[non_exhaustive]
pub enum Error {
/// Base64-related errors.
Expand All @@ -16,6 +17,9 @@ pub enum Error {
/// Character encoding-related errors.
CharacterEncoding,

/// Invalid label.
Label(LabelError),

/// Invalid length.
Length,

Expand All @@ -39,6 +43,7 @@ impl fmt::Display for Error {
#[cfg(feature = "base64")]
Error::Base64(err) => write!(f, "Base64 encoding error: {err}"),
Error::CharacterEncoding => write!(f, "character encoding invalid"),
Error::Label(err) => write!(f, "{}", err),
Error::Length => write!(f, "length invalid"),
Error::Overflow => write!(f, "internal overflow error"),
#[cfg(feature = "pem")]
Expand All @@ -51,6 +56,12 @@ impl fmt::Display for Error {
}
}

impl From<LabelError> for Error {
fn from(err: LabelError) -> Error {
Error::Label(err)
}
}

impl From<core::num::TryFromIntError> for Error {
fn from(_: core::num::TryFromIntError) -> Error {
Error::Overflow
Expand Down
74 changes: 60 additions & 14 deletions ssh-encoding/src/label.rs
Original file line number Diff line number Diff line change
@@ -1,36 +1,82 @@
//! Convenience trait for decoding/encoding string labels.

use crate::{Decode, Encode, Reader, Writer};
use core::str::FromStr;
use crate::{Decode, Encode, Error, Reader, Writer};
use core::{fmt, str::FromStr};

#[cfg(feature = "alloc")]
use alloc::string::String;

/// Maximum size of any algorithm name/identifier.
const MAX_LABEL_SIZE: usize = 48;

/// Labels for e.g. cryptographic algorithms.
///
/// Receives a blanket impl of [`Decode`] and [`Encode`].
pub trait Label: AsRef<str> + FromStr<Err = Self::Error> {
/// Type returned in the event of an encoding error.
type Error: From<crate::Error>;
}
pub trait Label: AsRef<str> + FromStr<Err = LabelError> {}

impl<T: Label> Decode for T {
type Error = T::Error;
type Error = Error;

fn decode(reader: &mut impl Reader) -> Result<Self, T::Error> {
fn decode(reader: &mut impl Reader) -> Result<Self, Error> {
let mut buf = [0u8; MAX_LABEL_SIZE];
reader.read_string(buf.as_mut())?.parse()
Ok(reader.read_string(buf.as_mut())?.parse()?)
}
}

impl<T: Label> Encode for T {
type Error = T::Error;
fn encoded_len(&self) -> Result<usize, Error> {
self.as_ref().encoded_len()
}

fn encode(&self, writer: &mut impl Writer) -> Result<(), Error> {
self.as_ref().encode(writer)
}
}

/// Errors related to labels.
#[derive(Clone, Debug, Eq, PartialEq)]
#[non_exhaustive]
pub struct LabelError {
/// The label that was considered invalid.
#[cfg(feature = "alloc")]
label: String,
}

fn encoded_len(&self) -> Result<usize, T::Error> {
Ok(self.as_ref().encoded_len()?)
impl LabelError {
/// Create a new [`LabelError`] for the given invalid label.
#[cfg_attr(not(feature = "alloc"), allow(unused_variables))]
pub fn new(label: &str) -> Self {
Self {
#[cfg(feature = "alloc")]
label: label.into(),
}
}

fn encode(&self, writer: &mut impl Writer) -> Result<(), T::Error> {
Ok(self.as_ref().encode(writer)?)
/// The invalid label string (if available).
#[inline]
pub fn label(&self) -> &str {
#[cfg(not(feature = "alloc"))]
{
""
}
#[cfg(feature = "alloc")]
{
&self.label
}
}
}

impl fmt::Display for LabelError {
#[cfg(not(feature = "alloc"))]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.write_str("invalid label")
}

#[cfg(feature = "alloc")]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "invalid label: '{}'", self.label)
}
}

#[cfg(feature = "std")]
impl std::error::Error for LabelError {}
2 changes: 1 addition & 1 deletion ssh-encoding/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -36,7 +36,7 @@ pub use crate::{
decode::Decode,
encode::Encode,
error::{Error, Result},
label::Label,
label::{Label, LabelError},
reader::{NestedReader, Reader},
writer::Writer,
};
Expand Down
Loading