常量项

语法
ConstantItem :
   const ( 标识符 | _ ) : 类型 ( = 表达式 )? ;

常量项 是一个可选命名的 常量值,它不与程序中特定的内存位置关联。

常量本质上在使用它们的任何地方都是内联的,这意味着当使用它们时,它们会被直接复制到相关的上下文中。这包括来自外部 crate 的常量以及非 Copy 类型的使用。对同一常量的引用不一定保证指向相同的内存地址。

常量声明在它所在的模块或块的 值命名空间 中定义常量值。

常量必须显式地指定类型。该类型必须具有 'static 生命周期:初始化器中的任何引用都必须具有 'static 生命周期。常量类型中的引用默认具有 'static 生命周期;请参阅 静态生命周期省略

如果常量值符合 提升 的条件,则对常量的引用将具有 'static 生命周期;否则,将创建一个临时变量。

#![allow(unused)]
fn main() {
const BIT1: u32 = 1 << 0;
const BIT2: u32 = 1 << 1;

const BITS: [u32; 2] = [BIT1, BIT2];
const STRING: &'static str = "bitstring";

struct BitsNStrings<'a> {
    mybits: [u32; 2],
    mystring: &'a str,
}

const BITS_N_STRINGS: BitsNStrings<'static> = BitsNStrings {
    mybits: BITS,
    mystring: STRING,
};
}

const 项的最终值不能包含对任何可变事物的引用。

常量表达式只能在 trait 定义 中省略。

带有析构器的常量

常量可以包含析构器。当值超出作用域时,析构器会被运行。

#![allow(unused)]
fn main() {
struct TypeWithDestructor(i32);

impl Drop for TypeWithDestructor {
    fn drop(&mut self) {
        println!("Dropped. Held {}.", self.0);
    }
}

const ZERO_WITH_DESTRUCTOR: TypeWithDestructor = TypeWithDestructor(0);

fn create_and_drop_zero_with_destructor() {
    let x = ZERO_WITH_DESTRUCTOR;
    // x gets dropped at end of function, calling drop.
    // prints "Dropped. Held 0.".
}
}

未命名的常量

关联常量 不同,自由 常量可以通过使用下划线而不是名称来命名为未命名的。例如

#![allow(unused)]
fn main() {
const _: () =  { struct _SameNameTwice; };

// OK although it is the same name as above:
const _: () =  { struct _SameNameTwice; };
}

下划线导入 一样,宏可以安全地在同一作用域中多次发出相同的未命名常量。例如,以下代码不应产生错误

#![allow(unused)]
fn main() {
macro_rules! m {
    ($item: item) => { $item $item }
}

m!(const _: () = (););
// This expands to:
// const _: () = ();
// const _: () = ();
}

求值

自由 常量总是在编译时 求值 以暴露 panic。即使在未使用的函数中也会发生这种情况

#![allow(unused)]
fn main() {
// Compile-time panic
const PANIC: () = std::unimplemented!();

fn unused_generic_function<T>() {
    // A failing compile-time assertion
    const _: () = assert!(usize::BITS == 0);
}
}