blob: b25c672e6e97836d08c3a7ae00626ea10cbbc3cc [file] [log] [blame]
// Copyright 2022 Google LLC
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// https://www.apache.org/licenses/LICENSE-2.0> or the MIT license
// <LICENSE-MIT or https://opensource.org/licenses/MIT>, at your
// option. This file may not be copied, modified, or distributed
// except according to those terms.
use crate::GuidFromStrError;
pub(crate) const fn byte_to_ascii_hex_lower(byte: u8) -> (u8, u8) {
let mut l = byte & 0xf;
let mut h = byte >> 4;
if l <= 9 {
l += b'0';
} else {
l += b'a' - 10;
}
if h <= 9 {
h += b'0';
} else {
h += b'a' - 10;
}
(h, l)
}
/// Parse a hexadecimal ASCII character as a `u8`.
const fn parse_byte_from_ascii_char(c: u8) -> Option<u8> {
match c {
b'0' => Some(0x0),
b'1' => Some(0x1),
b'2' => Some(0x2),
b'3' => Some(0x3),
b'4' => Some(0x4),
b'5' => Some(0x5),
b'6' => Some(0x6),
b'7' => Some(0x7),
b'8' => Some(0x8),
b'9' => Some(0x9),
b'a' | b'A' => Some(0xa),
b'b' | b'B' => Some(0xb),
b'c' | b'C' => Some(0xc),
b'd' | b'D' => Some(0xd),
b'e' | b'E' => Some(0xe),
b'f' | b'F' => Some(0xf),
_ => None,
}
}
/// Parse a pair of hexadecimal ASCII characters as a `u8`. For example,
/// `(b'1', b'a')` is parsed as `0x1a`.
const fn parse_byte_from_ascii_char_pair(a: u8, b: u8) -> Option<u8> {
let Some(a) = parse_byte_from_ascii_char(a) else {
return None;
};
let Some(b) = parse_byte_from_ascii_char(b) else {
return None;
};
Some(a << 4 | b)
}
/// Parse a pair of hexadecimal ASCII characters at position `start` as
/// a `u8`.
pub(crate) const fn parse_byte_from_ascii_str_at(
s: &[u8],
start: u8,
) -> Result<u8, GuidFromStrError> {
// This `as` conversion is needed because this is a const
// function. It is always valid since `usize` is always bigger than
// a u8.
#![allow(clippy::as_conversions)]
let start_usize = start as usize;
if let Some(byte) =
parse_byte_from_ascii_char_pair(s[start_usize], s[start_usize + 1])
{
Ok(byte)
} else {
Err(GuidFromStrError::Hex(start))
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_to_ascii() {
assert_eq!(byte_to_ascii_hex_lower(0x1f), (b'1', b'f'));
assert_eq!(byte_to_ascii_hex_lower(0xf1), (b'f', b'1'));
}
#[test]
fn test_parse() {
assert_eq!(parse_byte_from_ascii_char_pair(b'1', b'a'), Some(0x1a));
assert_eq!(parse_byte_from_ascii_char_pair(b'8', b'f'), Some(0x8f));
assert_eq!(parse_byte_from_ascii_char_pair(b'g', b'a'), None);
assert_eq!(parse_byte_from_ascii_char_pair(b'a', b'g'), None);
}
}