プリミティブ型に、他の型にもあるだろうけれども、メソッドの追加定義は単純なimpl str/i32 ・・・のようなやり方ではできませんが、traitを介在したメソッド追加はできます。
以下Beginning Rustのコードからですが、traitを介在させることで、追加メソッドlenght()を定義しています。
fn main() {
// "imple str" doesn't work as intended
// primitive type doesn't allow adding some specific methods to it
// to use tarit to adopt specific method lenght() for type "str"
trait HasLength {
fn length(&self) -> usize;
}
impl HasLength for str {
fn length(&self) -> usize {
self.chars().count()
}
}
let s = "ۏe";
print!("{} {}", s.len(), s.length());
}
trait経由でプリミティブ型にメソッド追加の一般的なやり方ですが、直接追加(今はできない仕様ですが、できたとしたら)と比較して可読性とか保守性が直接追加に比較して優位であるというところが理由なのだろう。
admin