From de44baac8b0f2eed0fa4c1511e983da431cb2134 Mon Sep 17 00:00:00 2001 From: Steve Klabnik Date: Wed, 4 Mar 2015 17:13:49 -0500 Subject: [PATCH] Add default methods to trait documentation --- src/doc/trpl/traits.md | 43 ++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 43 insertions(+) diff --git a/src/doc/trpl/traits.md b/src/doc/trpl/traits.md index abd9af1af33..676f1cc425a 100644 --- a/src/doc/trpl/traits.md +++ b/src/doc/trpl/traits.md @@ -435,3 +435,46 @@ println!("the inverse of {} is {:?}", 2.0f64, inverse(2.0f64)); println!("the inverse of {} is {:?}", 0.0f32, inverse(0.0f32)); println!("the inverse of {} is {:?}", 0.0f64, inverse(0.0f64)); ``` + +## Default methods + +There's one last feature of traits we should cover: default methods. It's +easiest just to show an example: + +```rust +trait Foo { + fn bar(&self); + + fn baz(&self) { println!("We called baz."); } +} +``` + +Implementors of the `Foo` trait need to implement `bar()`, but they don't +need to implement `baz()`. They'll get this default behavior. They can +override the default if they so choose: + +```rust +# trait Foo { +# fn bar(&self); +# fn baz(&self) { println!("We called baz."); } +# } +struct UseDefault; + +impl Foo for UseDefault { + fn bar(&self) { println!("We called bar."); } +} + +struct OverrideDefault; + +impl Foo for OverrideDefault { + fn bar(&self) { println!("We called bar."); } + + fn baz(&self) { println!("Override baz!"); } +} + +let default = UseDefault; +default.baz(); // prints "We called bar." + +let over = OverrideDefault; +over.baz(); // prints "Override baz!" +```