Ricerca…


Sintassi

  • _ // carattere jolly, corrisponde a qualsiasi cosa¹
  • ident // modello di associazione, corrisponde a qualsiasi cosa e lo lega a ident ¹
  • ident @ pat // come sopra, ma consentono di abbinare ulteriormente ciò che è vincolato
  • ref ident // modello di associazione, corrisponde a qualsiasi cosa e lo lega a un identificativo di riferimento ¹
  • ref mut ident // modello vincolante partite nulla e si lega ad un ident ¹ di riferimento mutevole
  • & pat // corrisponde ad un riferimento ( pat non è quindi un riferimento ma l'arbitro) ¹
  • & mut pat // come sopra con un riferimento mutabile¹
  • CONST // corrisponde ad una costante nominata
  • Struct { field1 , field2 } // confronta e decostruisce un valore di struttura, vedi sotto la nota sui campi¹
  • EnumVariant // corrisponde a una variante di enumerazione
  • EnumVariant ( pat1 , pat2 ) // corrisponde a una variante di enumerazione e ai parametri corrispondenti
  • EnumVariant ( pat1 , pat2 , .., patn ) // come sopra ma salta tutto tranne il primo, il secondo e l'ultimo parametro
  • ( pat1 , pat2 ) // corrisponde a una tupla e agli elementi corrispondenti¹
  • ( pat1 , pat2 , .., patn ) // come sopra ma salta tutto tranne il primo, il secondo e l'ultimo elemento¹
  • acceso // corrisponde a una costante letterale (char, tipi numerici, booleani e stringa)
  • pat1 ... pat2 // corrisponde ad un valore in quell'intervallo (inclusivo) (tipi char e numerici)

Osservazioni

Quando si decostruisce un valore di struttura, il campo deve essere sia del campo field_name che field_name : pattern . Se non viene specificato alcun modello, viene eseguito un binding implicito:

let Point { x, y } = p;
// equivalent to
let Point { x: x, y: y } = p;

let Point { ref x, ref y } = p;
// equivalent to
let Point { x: ref x, y: ref y } = p;

1: modello inconfutabile

Pattern matching con binding

È possibile associare valori ai nomi usando @ :


struct Badger {
    pub age: u8
}

fn main() {
    // Let's create a Badger instances
    let badger_john = Badger { age: 8 };

    // Now try to find out what John's favourite activity is, based on his age
    match badger_john.age {
        // we can bind value ranges to variables and use them in the matched branches
        baby_age @ 0...1 => println!("John is {} years old, he sleeps a lot", baby_age),
        young_age @ 2...4 => println!("John is {} years old, he plays all day", young_age),
        adult_age @ 5...10 => println!("John is {} years old, he eats honey most of the time", adult_age),
        old_age => println!("John is {} years old, he mostly reads newspapers", old_age),
    }
}

Questo stamperà:

John is 8 years old, he eats honey most of the time

Abbinamento del modello di base

// Create a boolean value
let a = true;

// The following expression will try and find a pattern for our value starting with
// the topmost pattern. 
// This is an exhaustive match expression because it checks for every possible value
match a {
  true => println!("a is true"),
  false => println!("a is false")
}

Se non copriamo ogni caso, otterremo un errore del compilatore:

match a {
  true => println!("most important case")
}
// error: non-exhaustive patterns: `false` not covered [E0004]

Possiamo usare _ come caso jolly / predefinito, corrisponde a tutto:

// Create an 32-bit unsigned integer
let b: u32 = 13;

match b {
  0 => println!("b is 0"),
  1 => println!("b is 1"),
  _ => println!("b is something other than 0 or 1")
}

Questo esempio stamperà:

a is true
b is something else than 0 or 1

Abbinamento di più modelli

È possibile trattare più valori distinti allo stesso modo, usando | :

enum Colour {
    Red,
    Green,
    Blue,
    Cyan,
    Magenta,
    Yellow,
    Black
}

enum ColourModel {
    RGB,
    CMYK
}

// let's take an example colour
let colour = Colour::Red;

let model = match colour {
    // check if colour is any of the RGB colours
    Colour::Red | Colour::Green | Colour::Blue => ColourModel::RGB,
    // otherwise select CMYK
    _ => ColourModel::CMYK,
};

Corrispondenza del modello condizionale con le guardie

I pattern possono essere abbinati in base a valori indipendenti dal valore che si sta usando usando if guards:

// Let's imagine a simplistic web app with the following pages:
enum Page {
  Login,
  Logout,
  About,
  Admin
}

// We are authenticated
let is_authenticated = true;

// But we aren't admins
let is_admin = false;

let accessed_page = Page::Admin;

match accessed_page {
    // Login is available for not yet authenticated users
    Page::Login if !is_authenticated => println!("Please provide a username and a password"),

    // Logout is available for authenticated users 
    Page::Logout if is_authenticated => println!("Good bye"),
    
    // About is a public page, anyone can access it
    Page::About => println!("About us"),

    // But the Admin page is restricted to administators
    Page::Admin if is_admin => println!("Welcome, dear administrator"),

    // For every other request, we display an error message
    _ => println!("Not available")
}

Questo mostrerà "Non disponibile" .

se let / while let


if let

Combina una match modello e un'istruzione if e consente di eseguire brevi corrispondenze non esaustive.

if let Some(x) = option {
    do_something(x);
}

Questo è equivalente a:

match option {
    Some(x) => do_something(x),
    _ => {},
}

Questi blocchi possono avere anche else istruzioni.

if let Some(x) = option {
    do_something(x);
} else {
    panic!("option was None");
}

Questo blocco è equivalente a:

match option {
    Some(x) => do_something(x),
    None => panic!("option was None"),
}

while let

Combina una sequenza di pattern e un ciclo while.

let mut cs = "Hello, world!".chars();
while let Some(x) = cs.next() {
    print("{}+", x);
}
println!("");

Questo stampa H+e+l+l+o+,+ +w+o+r+l+d+!+ .

È equivalente all'utilizzo di un loop {} e una dichiarazione di match :

let mut cs = "Hello, world!".chars();
loop {
    match cs.next() {
        Some(x) => print("{}+", x),
        _ => break,
    }
}
println!("");

Estrazione di riferimenti da modelli

A volte è necessario essere in grado di estrarre i valori da un oggetto usando solo riferimenti (cioè senza trasferire la proprietà).

struct Token {
  pub id: u32
}

struct User {
  pub token: Option<Token>
}


fn main() {
    // Create a user with an arbitrary token
    let user = User { token: Some(Token { id: 3 }) };

    // Let's borrow user by getting a reference to it
    let user_ref = &user;

    // This match expression would not compile saying "cannot move out of borrowed
    // content" because user_ref is a borrowed value but token expects an owned value.
    match user_ref {
        &User { token } => println!("User token exists? {}", token.is_some())
    }

    // By adding 'ref' to our pattern we instruct the compiler to give us a reference
    // instead of an owned value.
    match user_ref {
        &User { ref token } => println!("User token exists? {}", token.is_some())
    }

    // We can also combine ref with destructuring
    match user_ref {
        // 'ref' will allow us to access the token inside of the Option by reference
        &User { token: Some(ref user_token) } => println!("Token value: {}", user_token.id ),
        &User { token: None } => println!("There was no token assigned to the user" )
    }

    // References can be mutable too, let's create another user to demonstrate this
    let mut other_user = User { token: Some(Token { id: 4 }) };

    // Take a mutable reference to the user
    let other_user_ref_mut = &mut other_user;

    match other_user_ref_mut {
        // 'ref mut' gets us a mutable reference allowing us to change the contained value directly.
        &mut User { token: Some(ref mut user_token) } => {
            user_token.id = 5;
            println!("New token value: {}", user_token.id )
        },
        &mut User { token: None } => println!("There was no token assigned to the user" )
    }
}

Stamperà questo:

User token exists? true
Token value: 3
New token value: 5


Modified text is an extract of the original Stack Overflow Documentation
Autorizzato sotto CC BY-SA 3.0
Non affiliato con Stack Overflow