Rust基础

mut

默认变量是不可变的(immutable)

fn main() {
    let x = 5;
    println!("The value of x is: {}", x);
    x = 6; // error[E0384]: cannot assign twice to immutable variable `x`
    println!("The value of x is: {}", x);
}

加上mut

fn main() {
    let mut x = 5;
    println!("The value of x is: {}", x);
    x = 6;
    println!("The value of x is: {}", x);
}

const

const THREE_HOURS_IN_SECONDS: u32 = 60 * 60 * 3;

shadowing

fn main() {
    let x = 5;

    let x = x + 1;

    {
        let x = x * 2;
        println!("The value of x in the inner scope is: {}", x); // 12
    }

    println!("The value of x is: {}", x); // 6
}

tuple

用小括号包裹多个值, 可以是不同类型。通过解构赋值获取其中的值,或者通过索引访问。

fn main() {
    let tup = (500, 6.4, 1);

    let (x, y, z) = tup;

    println!("The value of y is: {}", y);
    println!("The first element of tup is: {}", tup.0);
}

array

用方括号包裹多个值,必须是相同类型。通过索引访问。

fn main() {
    let a = [1, 2, 3, 4, 5];

    let first = a[0];
    let second = a[1];
}

fn

函数使用fn关键字定义,可以有或无参数和返回值。参数和返回值必须声明类型。最后一行如果是表达式,会被返回。

fn main() {
    let x = plus_one(5);

    println!("The value of x is: {}", x);
}

fn plus_one(x: i32) -> i32 {
    x + 1 // 等价于 return x + 1;
}

注释

// 我们在这里处理一些复杂事情,需要足够长的解释,使用
// 多行注释可做到这点。哇!我们希望这个注释将解释接下
// 来要实现的内容。
fn main() {
    // 单行可以写这里
    let lucky_number = 7; // 单行也可以写这里
}