當前位置: 首頁>>代碼示例 >>用法及示例精選 >>正文


Rust Index用法及代碼示例


本文簡要介紹rust語言中 Trait core::ops::Index 的用法。

用法

pub trait Index<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 core::ops::Index。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。