1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
use crate::IonType;

/// Represents a container that the text reader has stepped into.
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
pub struct ParentContainer {
    // The container type the reader has stepped into
    ion_type: IonType,
    // Whether the reader has encountered the end of the container yet
    is_exhausted: bool,
}

impl ParentContainer {
    pub fn new(ion_type: IonType) -> Self {
        assert!(
            ion_type.is_container(),
            "Cannot create a `ParentContainer` from a scalar: {ion_type}"
        );
        ParentContainer {
            ion_type,
            is_exhausted: false,
        }
    }

    /// Returns the IonType associated with this container. The IonType will always be `List`,
    /// `SExpression`, or `Struct`.
    pub fn ion_type(&self) -> IonType {
        self.ion_type
    }

    /// If the reader has reached the end of the container, this will return true.
    pub fn is_exhausted(&self) -> bool {
        self.is_exhausted
    }

    /// Sets the value that will be returned by `is_exhausted`. Will be called by the reader
    /// when it reaches the end marker (`]`, `)`, or `}`) of the current container.
    pub fn set_exhausted(&mut self, value: bool) {
        self.is_exhausted = value;
    }
}

#[cfg(test)]
mod parent_container_tests {
    use super::*;
    use crate::IonType;
    use rstest::*;

    #[rstest]
    #[case::list(IonType::List)]
    #[case::list(IonType::SExp)]
    #[case::list(IonType::Struct)]
    #[should_panic]
    #[case::list(IonType::Int)]
    #[should_panic]
    #[case::list(IonType::Null)]
    #[should_panic]
    #[case::list(IonType::Decimal)]
    fn create_parent_container_from_ion_type(#[case] ion_type: IonType) {
        ParentContainer::new(ion_type);
    }
}