21.13 Matching Boxed Types

You can match pointer and smart-pointer-based data (like Box<T>) in the same way:

enum IntWrapper {
    Boxed(Box<i32>),
    Inline(i32),
}

fn describe_int_wrapper(wrapper: IntWrapper) {
    match wrapper {
        IntWrapper::Boxed(boxed_val) => {
            println!("Got a boxed integer: {}", boxed_val);
        }
        IntWrapper::Inline(val) => {
            println!("Got an inline integer: {}", val);
        }
    }
}

fn main() {
    let x = IntWrapper::Boxed(Box::new(10));
    let y = IntWrapper::Inline(20);
    describe_int_wrapper(x);
    describe_int_wrapper(y);
}

If you need to mutate the boxed value, you can use patterns like IntWrapper::Boxed(box ref mut v) to get a mutable reference.