use anyhow::Result;
use regex::{Captures, Regex};
use crate::Rule;
#[macro_export]
macro_rules! rust_struct {
($_name:ident; $placeholder:ident {$($element: ident: $ty: ty),*};) => {
struct $placeholder { $($element: $ty),* }
};
// No lifetime, public
(pub $_name:ident; $placeholder:ident {$($element: ident: $ty: ty),*};) => {
pub struct $placeholder { $($element: $ty),* }
};
($_name:ident; $placeholder:ident<$lifetime:lifetime>{$($element: ident: $ty: ty),*};) => {
struct $placeholder<$lifetime> { $($element: $ty),* }
};
// Lifetime, public
(pub $_name:ident; $placeholder:ident<$lifetime:lifetime>{$($element: ident: $ty: ty),*};) => {
pub struct $placeholder<$lifetime> { $($element: $ty),* }
};
}
/// Replace a Rust struct.
pub struct StructRule {
replace_with: String,
regex: Regex,
}
impl Rule for StructRule {
fn convert(&self, template: &str) -> Result<String> {
let replace_with: &str = &self.replace_with;
let replace = self.regex.replace_all(template, |caps: &Captures| {
format!(
"{}struct {}",
&caps.name("pub").map_or("", |cap| cap.as_str()),
replace_with,
)
});
Ok(replace.into_owned())
}
}
impl StructRule {
pub fn new(matches: &str, replace_with: &str) -> Result<Self> {
let regex = Regex::new(&format!(
r"{}[\({{]{}[\)}}]",
r"replacer::rust_struct!\s*",
format!(r"(?P<pub>pub )?{};[^{{]+\{{[^;]+}};", matches)
))?;
Ok(Self {
replace_with: replace_with.to_string(),
regex,
})
}
}
#[cfg(test)]
mod tests {
use anyhow::Result;
use super::*;
#[test]
fn struct_rule() -> Result<()> {
assert_eq!(
StructRule::new("replace", "Point2D { x: i32, y: i32 }")?
.convert("replacer::rust_struct! {replace; Point { x: i32, y: i32};}")?,
"struct Point2D { x: i32, y: i32 }"
);
assert_eq!(
StructRule::new("replace", "Point2D { x: i32, y: i32 }")?
.convert("replacer::rust_struct! {pub replace; Point{ x: i32, y: i32};}")?,
"pub struct Point2D { x: i32, y: i32 }"
);
assert_eq!(
StructRule::new("replace", "i32")?.convert("Hello world!")?,
"Hello world!"
);
Ok(())
}
}