How to match words in a string that are wrapped in curly brackets using RegEx with Rust

1 Answer

0 votes
use regex::Regex;

fn main() {
    let s = "This is a {string} with {multiple} {words} wrapped in curly brackets.";

    // Define the RegEx pattern
    let re = Regex::new(r"\{([^}]+)\}").unwrap();

    // Find all matches
    let mut matches = Vec::new();
    for capture in re.captures_iter(s) {
        if let Some(matched_word) = capture.get(1) {
            matches.push(matched_word.as_str());
        }
    }

    println!("Matches: {:?}", matches);
}

 
      
/*
run:
   
Matches: ["string", "multiple", "words"]
     
*/

 



answered Mar 18, 2025 by avibootz
...