2016-04-16 61 views
1

在我的代碼中,我發現match_num_works()中的代碼有一定的優雅。我想寫一個String匹配與類似的公式,但不能得到它的工作。我結束match_text_works()這是不太優雅。如何在一個結構體中對字符串進行模式匹配

struct FooNum { 
    number: i32, 
} 

// Elegant 
fn match_num_works(foo_num: &FooNum) { 
    match foo_num { 
     &FooNum { number: 1 } =>(), 
     _ =>(), 
    } 
} 

struct FooText { 
    text: String, 
} 

// Clunky 
fn match_text_works(foo_text: &FooText) { 
    match foo_text { 
     &FooText { ref text } => { 
      if text == "pattern" { 
      } else { 
      } 
     } 
    } 
} 

// Possible? 
fn match_text_fails(foo_text: &FooText) { 
    match foo_text { 
     &FooText { text: "pattern" } =>(), 
     _ =>(), 
    } 
} 

回答

5

它可能不是「優雅」或更好..但是一個選擇是有條件進入比賽表達:

match foo_text { 
    &FooText { ref text } if text == "pattern" =>(), 
    _ =>() 
} 

Working sample: Playpen link

+0

謝謝!那會做。 – ebaklund

0

請注意,您所需的圖案實際上會與&str一起使用。您不能直接模式匹配String,因爲它是一個更復雜的值,包含未暴露的內部緩衝區。

struct FooText<'a> { 
    text: &'a str, 
    _other: u32, 
} 

fn main() { 
    let foo = FooText { text: "foo", _other: 5 }; 
    match foo { 
     FooText { text: "foo", .. } => println!("Match!"), 
     _ => println!("No match"), 
    } 
} 

Playground

相關問題