Consider the following Rust snippet from The Rust Programming Language, second edition:
pub struct Guess {
    value: u32,
}
impl Guess {
    pub fn new(value: u32) -> Guess {
        if value < 1 || value > 100 {
            panic!("Guess value must be between 1 and 100, got {}.", value);
        }
        Guess {
            value
        }
    }
    pub fn value(&self) -> u32 {
        self.value
    }
}
and commentary from the corresponding tutorial, emphasis mine:
Next, we implement a method named
valuethat borrowsself, doesn’t have any other parameters, and returns au32. This is a kind of method sometimes called a getter, since its purpose is to get some data from its fields and return it. This public method is necessary because thevaluefield of theGuessstruct is private. It’s important that thevaluefield is private so that code using theGuessstruct is not allowed to setvaluedirectly: callers outside the module must use theGuess::newfunction to create an instance ofGuess, which ensures there’s no way for aGuessto have avaluethat hasn’t been checked by the conditions in theGuess::newfunction.
Why must callers use the new function? Couldn't they get around the requirement that Guess.value be between 1 and 100 by doing something like:
let g = Guess { value: 200 };
This applies only when the Guess struct is defined in a different module than the code using it; the struct itself is public but its value field is not, so you can't access it directly.
You can verify it with the following example (playground link):
use self::guess::Guess;
fn main() {
    let guess1 = Guess::new(20); // works
    let guess2 = Guess::new(200); // panic: 'Guess value must be between 1 and 100, got 200.'
    let guess3 = Guess { value: 20 }; // error: field `value` of struct `guess::Guess` is private
    let guess4 = Guess { value: 200 }; // error: field `value` of struct `guess::Guess` is private
}
mod guess {
    pub struct Guess {
        value: u32,
    }
    impl Guess {
        pub fn new(value: u32) -> Guess {
            if value < 1 || value > 100 {
                panic!("Guess value must be between 1 and 100, got {}.", value);
            }
            Guess {
                value
            }
        }
        pub fn value(&self) -> u32 {
            self.value
        }
    }
}
The Book explains the rationale behind keeping a struct's contents private pretty well.
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With