1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168
use crate::{Error, Result, TypeSpecifier};
use alloc::vec::Vec;
/// A tuple specifier, with no array suffixes. Corresponds to a sequence of
/// types.
///
/// The internal types are all [`TypeSpecifier`], and may be arbitrarily
/// complex.
///
/// # Examples
///
/// ```
/// # use alloy_sol_type_parser::TupleSpecifier;
/// let spec = TupleSpecifier::try_from("(uint256,uint256)")?;
/// assert_eq!(spec.span(), "(uint256,uint256)");
/// assert_eq!(spec.types.len(), 2);
/// assert_eq!(spec.types[0].span(), "uint256");
///
/// // No array suffixes. Use `TypeSpecifier` instead.
/// assert!(
/// TupleSpecifier::try_from("(uint256,uint256)[]").is_err()
/// );
/// # Ok::<_, alloy_sol_type_parser::Error>(())
/// ```
#[derive(Debug, Clone, PartialEq, Eq)]
pub struct TupleSpecifier<'a> {
/// The full span of the tuple specifier.
pub span: &'a str,
/// The internal types.
pub types: Vec<TypeSpecifier<'a>>,
}
impl<'a> TryFrom<&'a str> for TupleSpecifier<'a> {
type Error = Error;
#[inline]
fn try_from(value: &'a str) -> Result<Self> {
Self::parse(value)
}
}
impl AsRef<str> for TupleSpecifier<'_> {
#[inline]
fn as_ref(&self) -> &str {
self.span()
}
}
impl<'a> TupleSpecifier<'a> {
/// Parse a tuple specifier from a string.
pub fn parse(span: &'a str) -> Result<Self> {
// flexible for or `(a, b)`, or `tuple(a, b)`
// or any missing parenthesis
let span = span.trim();
// if we strip a trailing paren we MUST strip a leading paren
let value = if let Some(val) = span.strip_suffix(')') {
val.strip_prefix("tuple")
.unwrap_or(val)
.strip_prefix('(')
.ok_or_else(|| Error::invalid_type_string(span))?
} else {
return Err(Error::invalid_type_string(span))
};
// passes over nested tuples
let mut types: Vec<TypeSpecifier<'_>> = vec![];
let mut start = 0;
let mut depth: usize = 0;
for (i, c) in value.char_indices() {
match c {
'(' => depth += 1,
')' => {
// handle extra closing paren
depth = depth
.checked_sub(1)
.ok_or_else(|| Error::invalid_type_string(value))?;
}
',' if depth == 0 => {
// SAFETY: `char_indices` always returns a valid char boundary
let v = unsafe { value.get_unchecked(start..i) };
types.push(v.try_into()?);
start = i + 1;
}
_ => {}
}
}
// handle extra open paren
if depth != 0 {
return Err(Error::invalid_type_string(value))
}
// handle trailing commas in tuples
let candidate = value[start..].trim();
if !candidate.is_empty() {
types.push(candidate.try_into()?);
}
Ok(Self { span, types })
}
/// Returns the tuple specifier as a string.
#[inline]
pub const fn span(&self) -> &'a str {
self.span
}
/// Returns true if the type is a basic Solidity type.
#[inline]
pub fn try_basic_solidity(&self) -> Result<()> {
self.types
.iter()
.try_for_each(TypeSpecifier::try_basic_solidity)
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn extra_close_parens() {
let test_str = "bool,uint256))";
assert_eq!(
TupleSpecifier::try_from(test_str),
Err(crate::Error::invalid_type_string(test_str))
);
}
#[test]
fn extra_open_parents() {
let test_str = "(bool,uint256";
assert_eq!(
TupleSpecifier::try_from(test_str),
Err(Error::invalid_type_string(test_str))
);
}
#[test]
fn nested_tuples() {
assert_eq!(
TupleSpecifier::try_from("(bool,(uint256,uint256))").unwrap(),
TupleSpecifier {
span: "(bool,(uint256,uint256))",
types: vec![
TypeSpecifier::try_from("bool").unwrap(),
TypeSpecifier::try_from("(uint256,uint256)").unwrap(),
]
}
);
assert_eq!(
TupleSpecifier::try_from("(((bool),),)").unwrap(),
TupleSpecifier {
span: "(((bool),),)",
types: vec![TypeSpecifier::try_from("((bool),)").unwrap()]
}
);
}
#[test]
fn does_not_parse_missing_parens() {
let test_str = "bool,uint256";
assert_eq!(
TupleSpecifier::try_from(test_str),
Err(crate::Error::invalid_type_string(test_str))
);
}
}