Puzzle 3: Explanation
Let's learn about how type conversion works in Rust.
Test it out
Hit “Run” to see the code’s output.
#[warn(clippy::pedantic)]fn main() {let x : u64 = 4_294_967_296;let y = x as u32;if x == y as u64 {println!("x equals y.");} else {println!("x does not equal y.");}}
Explanation
The Rust keyword as
is lossy, meaning unnecessary information gets discarded. When we use as
to convert between types, we run the risk of losing data without warning.
In this example, y
is assigned the value 4_294_967_296, but the result is truncated because the number is greater than the maximum value of a 32-bit unsigned integer. It’s surprising that neither the Rust compiler, Clippy, nor the runtime generates any warning or error that data loss has occurred.
If we want to use the as
keyword to convert between types, let’s keep the following points in mind:
Here’s a list of some things we need to remember while converting between types that are referenced in the illustration:
-
Converting a smaller type into a larger type (for example,
u32
tou64
) cannot cause a loss of precision. So, that’s safe to do. -
When working with numbers that are guaranteed to fit in both types, we won’t lose any data. However, we must be careful with user-submitted data or the results of calculations. If we don’t control the data, we can’t be certain that the data will be ...