当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


Rust Index用法及代码示例


本文简要介绍rust语言中 Trait std::ops::Index 的用法。

用法

pub trait Index<Idx> where    Idx: ?Sized, {
    type Output: ?Sized;
    fn index(&self, index: Idx) -> &Self::Output;
}

用于不可变上下文中的索引操作 (container[index])。

container[index] 实际上是 *container.index(index) 的语法糖,但仅在用作不可变值时。如果请求一个可变值,则使用 IndexMut 代替。如果 value 的类型实现了 Copy ,这将允许诸如 let value = v[index] 之类的好东西。

例子

以下示例在只读 NucleotideCount 容器上实现 Index,从而可以使用索引语法检索单个计数。

use std::ops::Index;

enum Nucleotide {
    A,
    C,
    G,
    T,
}

struct NucleotideCount {
    a: usize,
    c: usize,
    g: usize,
    t: usize,
}

impl Index<Nucleotide> for NucleotideCount {
    type Output = usize;

    fn index(&self, nucleotide: Nucleotide) -> &Self::Output {
        match nucleotide {
            Nucleotide::A => &self.a,
            Nucleotide::C => &self.c,
            Nucleotide::G => &self.g,
            Nucleotide::T => &self.t,
        }
    }
}

let nucleotide_count = NucleotideCount {a: 14, c: 9, g: 10, t: 12};
assert_eq!(nucleotide_count[Nucleotide::A], 14);
assert_eq!(nucleotide_count[Nucleotide::C], 9);
assert_eq!(nucleotide_count[Nucleotide::G], 10);
assert_eq!(nucleotide_count[Nucleotide::T], 12);

相关用法


注:本文由纯净天空筛选整理自rust-lang.org大神的英文原创作品 Trait std::ops::Index。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。