How to get an Option's value or set it if it's empty?

后端 未结 1 1186
伪装坚强ぢ
伪装坚强ぢ 2020-12-03 23:09

I want to get the name if it\'s not empty or set a new value. How can I do that?

#[derive(Debug)]
struct App {
    name: Option,
          


        
相关标签:
1条回答
  • 2020-12-03 23:41

    Looks to me like you want the get_or_insert_with() method. This executes a closure when the Option is None and uses the result as the new value:

    fn get_name(&mut self) -> &String {
        self.name.get_or_insert_with(|| String::from("234"))
    }
    

    If you already have a value to insert, or creating the value isn't expensive, you can also use the get_or_insert() method:

    fn get_name(&mut self) -> &String {
        self.name.get_or_insert(String::from("234"))
    }
    

    You'll also need to change your main() function to avoid the borrowing issue. An easy solution would be to derive Clone on your struct and then .clone() it in the call to println!():

    fn main() {
        let mut app = App {
            name: None,
            age: 10,
        };
    
        println!("{:?} and name is {}", app.clone(), app.get_name())
    }
    
    0 讨论(0)
提交回复
热议问题