Puzzle 7: Explanation
Let’s learn how type conversion and structs work in Rust.
We'll cover the following...
Test it out
Hit “Run” to see the code’s output.
Press + to interact
use std::f32::consts::PI;pub struct Degrees(pub f32);pub struct Radians(pub f32);impl Degrees {pub fn new(angle: f32) -> Self {Self(angle)}}impl From<Degrees> for Radians {fn from(item : Degrees) -> Self {Self(item.0 * PI / 180.0)}}fn main() {let one_eighty_degrees = Degrees::new(180.0);let one_eighty_radians : Radians = one_eighty_degrees.into();println!("180 Degrees in Radians = {}", one_eighty_radians.0);}
Explanation
The surprise here is that the Into
trait wasn’t implemented, yet the program could still use the into()
function with the Radians
type.
When we define the From
trait, Rust automatically implements the reciprocal Into
trait for us. This is very convenient and surprising, given Rust’s general insistence on the behavior being defined explicitly.
Prior to Rust version 1.4.1, this automatic implementation was only performed for types accessible from the crate ...