toml
[dependencies]
regex = "1"
regexm = "0.2.1"
rust
fn main() {
let text1 = "2020-01-01";
regexm::regexm!(match text1 {
r"^\d{4}$" => println!("yyyy"),
r"^\d{4}-\d{2}$" => println!("yyyy-mm"),
// block
r"^\d{4}-\d{2}-\d{2}$" => {
let yyyy_mm_dd = "yyyy-mm-dd";
println!("{}", yyyy_mm_dd);
}
_ => println!("default"),
});
}
Output:
sh
yyyy-mm-dd
the generated code will be the following:
rust
fn main() {
let text1 = "2020-01-01";
if regex::Regex::new(r"^\d{4}$").unwrap().is_match(text1) {
println!("yyyy")
} else if regex::Regex::new(r"^\d{4}-\d{2}$").unwrap().is_match(text1) {
println!("yyyy-mm")
} else if regex::Regex::new(r"^\d{4}-\d{2}-\d{2}$")
.unwrap()
.is_match(text1)
{
let yyyy_mm_dd = "yyyy-mm-dd";
println!("{}", yyyy_mm_dd);
} else {
println!("default")
};
}
rust
fn main() {
let text2 = "foo";
let foo = regexm::regexm!(match text2 {
r"^\d{4}-\d{2}-\d{2}$" => "yyyy-mm-dd",
r"^\d{4}-\d{2}$" => "yyyy-mm",
// block
r"^\d{4}-\d{2}-\d{2}$" => {
let yyyy_mm_dd = "yyyy-mm-dd";
yyyy_mm_dd
}
_ => "default",
});
println!("{}", foo);
}
Output:
sh
default
the generated code will be the following:
rust
fn main() {
let text2 = "foo";
let foo = if regex::Regex::new(r"^\d{4}-\d{2}-\d{2}$")
.unwrap()
.is_match(text2)
{
"yyyy-mm-dd"
} else if regex::Regex::new(r"^\d{4}-\d{2}$").unwrap().is_match(text2) {
"yyyy-mm"
} else if regex::Regex::new(r"^\d{4}-\d{2}-\d{2}$")
.unwrap()
.is_match(text2)
{
let yyyy_mm_dd = "yyyy-mm-dd";
yyyy_mm_dd
} else {
"default"
};
println!("{}", foo);
}
rust
fn main() {
let text1 = "2020-01-02";
regexm::regexm!(match text1 {
// capture groups
captures(r"^(\d{4})-(\d{2})-(\d{2})$") => |caps| println!(
"year: {}, month: {}, day: {}",
caps.get(1).map_or("", |m| m.as_str()),
caps.get(2).map_or("", |m| m.as_str()),
caps.get(3).map_or("", |m| m.as_str())
),
_ => println!("default"),
});
}
Output:
sh
2020
01
02
the generated code will be the following:
```rust fn main() { let text1 = "2020-01-02"; if regex::Regex::new(r"^(\d{4})-(\d{2})-(\d{2})$") .unwrap() .ismatch(text1) { let closure = |caps: regex::Captures| { println!( "year: {}, month: {}, day: {}", caps.get(1).mapor("", |m| m.asstr()), caps.get(2).mapor("", |m| m.asstr()), caps.get(3).mapor("", |m| m.as_str()) ) }; closure( regex::Regex::new(r"^(\d{4})-(\d{2})-(\d{2})$") .unwrap() .captures(text1) .unwrap(), ) } else { println!("default") }; }
```