json5format/
content.rs

1// Copyright (c) 2020 Google LLC All rights reserved.
2// Use of this source code is governed by a BSD-style
3// license that can be found in the LICENSE file.
4
5#![deny(missing_docs)]
6use {
7    crate::{error::*, formatter::*, options::*, parser::*},
8    std::cell::{Ref, RefCell, RefMut},
9    std::cmp::Ordering,
10    std::rc::Rc,
11};
12
13/// Represents the parsed state of a given JSON5 document.
14pub struct ParsedDocument {
15    /// The saved document input buffer, if constructed with from_string().
16    owned_buffer: Option<String>,
17
18    /// The input filename, if any.
19    filename: Option<String>,
20
21    /// The parsed document model represented as an array of zero or more objects to format.
22    pub content: Array,
23}
24
25impl ParsedDocument {
26    /// Parses the JSON5 document represented by `buffer`, and returns a parsed representation of
27    /// the document that can be formatted by
28    /// [Json5Format::to_utf8()](struct.Json5Format.html#method.to_utf8).
29    ///
30    /// If a filename is also provided, any parsing errors will include the filename with the line
31    /// number and column where the error was encountered.
32    pub fn from_str(buffer: &str, filename: Option<String>) -> Result<Self, Error> {
33        Self::from_str_with_nesting_limit(buffer, filename, Parser::DEFAULT_NESTING_LIMIT)
34    }
35
36    /// Like `from_str()` but also overrides the default nesting limit, used to
37    /// catch deeply nested JSON5 documents before overflowing the program
38    /// stack.
39    pub fn from_str_with_nesting_limit(
40        buffer: &str,
41        filename: Option<String>,
42        nesting_limit: usize,
43    ) -> Result<Self, Error> {
44        let mut parser = Parser::new(&filename);
45        parser.set_nesting_limit(nesting_limit);
46        let content = parser.parse(&buffer)?;
47
48        Ok(Self { owned_buffer: None, filename, content })
49    }
50
51    /// Parses the JSON5 document represented by `buffer`, and returns a parsed representation of
52    /// the document that can be formatted by
53    /// [Json5Format::to_utf8()](struct.Json5Format.html#method.to_utf8).
54    ///
55    /// The returned `ParsedDocument` object retains ownership of the input buffer, which can be
56    /// useful in situations where borrowing the buffer (via
57    /// [from_str()](struct.ParsedDocument.html#method.from_str) requires burdensome workarounds.
58    ///
59    /// If a filename is also provided, any parsing errors will include the filename with the line
60    /// number and column where the error was encountered.
61    pub fn from_string(buffer: String, filename: Option<String>) -> Result<Self, Error> {
62        let mut parser = Parser::new(&filename);
63        let content = parser.parse(&buffer)?;
64
65        Ok(Self { owned_buffer: Some(buffer), filename, content })
66    }
67
68    /// Returns the filename, if provided when the object was created.
69    pub fn filename(&self) -> &Option<String> {
70        &self.filename
71    }
72
73    /// Borrows the input buffer owned by this object, if provided by calling
74    /// [from_string()](struct.ParsedDocument.html#method.from_string).
75    pub fn input_buffer(&self) -> &Option<String> {
76        &self.owned_buffer
77    }
78}
79
80/// Represents the variations of allowable comments.
81#[derive(Debug, Clone)]
82pub enum Comment {
83    /// Represents a comment read from a `/* */` pattern.
84    Block {
85        /// The content of the block comment, represented as a `String` for each line.
86        lines: Vec<String>,
87        /// `align` (if true) indicates that all comment `lines` started in a column after the
88        /// star's column in the opening `/*`. For each subsequent line in lines, the spaces from
89        /// column 0 to the star's column will be stripped, allowing the indent spaces to be
90        /// restored, during format, relative to the block's new horizontal position. Otherwise, the
91        /// original indentation will not be stripped, and the lines will be restored at their
92        /// original horizontal position. In either case, lines after the opening `/*` will retain
93        /// their original horizontal alignment, relative to one another.
94        align: bool,
95    },
96
97    /// Represents a comment read from a line starting with `//`.
98    Line(String),
99
100    /// Represents a blank line between data.
101    Break,
102}
103
104impl Comment {
105    /// Returns `true` if the `Comment` instance is a `Block` variant.
106    pub fn is_block(&self) -> bool {
107        match self {
108            Comment::Block { .. } => true,
109            _ => false,
110        }
111    }
112
113    /// Returns `true` if the `Comment` instance is a `Line` variant.
114    #[allow(dead_code)] // for API consistency and tests even though enum is currently not `pub`
115    pub fn is_line(&self) -> bool {
116        match self {
117            Comment::Line(..) => true,
118            _ => false,
119        }
120    }
121
122    /// Returns `true` if the `Comment` instance is a `Break` variant.
123    #[allow(dead_code)] // for API consistency and tests even though enum is currently not `pub`
124    pub fn is_break(&self) -> bool {
125        match self {
126            Comment::Break => true,
127            _ => false,
128        }
129    }
130
131    pub(crate) fn format<'a>(
132        &self,
133        formatter: &'a mut Formatter,
134    ) -> Result<&'a mut Formatter, Error> {
135        match self {
136            Comment::Block { lines, align } => {
137                let len = lines.len();
138                for (index, line) in lines.iter().enumerate() {
139                    let is_first = index == 0;
140                    let is_last = index == len - 1;
141                    if is_first {
142                        formatter.append(&format!("/*{}", line))?;
143                    } else if line.len() > 0 {
144                        formatter.append(&format!("{}", line))?;
145                    }
146                    if !is_last {
147                        if *align {
148                            formatter.start_next_line()?;
149                        } else {
150                            formatter.append_newline()?;
151                        }
152                    }
153                }
154                formatter.append("*/")
155            }
156            Comment::Line(comment) => formatter.append(&format!("//{}", comment)),
157            Comment::Break => Ok(&mut *formatter), // inserts blank line only
158        }?;
159        formatter.start_next_line()
160    }
161}
162
163/// A struct containing all comments associated with a specific `Value`.
164#[derive(Clone)]
165pub struct Comments {
166    /// Comments applied to the associated value.
167    before_value: Vec<Comment>,
168
169    /// A line comment positioned after and on the same line as the last character of the value. The
170    /// comment may have multiple lines, if parsed as a contiguous group of line comments that are
171    /// all left-aligned with the initial line comment.
172    end_of_line_comment: Option<String>,
173}
174
175impl Comments {
176    /// Retrieves the comments immediately before an associated value.
177    pub fn before_value(&self) -> &Vec<Comment> {
178        &self.before_value
179    }
180
181    /// Injects text into the end-of-line comment.
182    pub fn append_end_of_line_comment(&mut self, comment: &str) -> Result<(), Error> {
183        let updated = match self.end_of_line_comment.take() {
184            None => comment.to_string(),
185            Some(current) => current + "\n" + comment,
186        };
187        self.end_of_line_comment = Some(updated);
188        Ok(())
189    }
190
191    /// Retrieves a reference to the end-of-line comment.
192    pub fn end_of_line(&self) -> &Option<String> {
193        &self.end_of_line_comment
194    }
195}
196
197/// A struct used for capturing comments at the end of an JSON5 array or object, which are not
198/// associated to any of the Values contained in the array/object.
199pub(crate) struct ContainedComments {
200    /// Parsed comments to be applied to the next Value, when reached.
201    /// If there are any pending comments after the last item, they are written after the last
202    /// item when formatting.
203    pending_comments: Vec<Comment>,
204
205    /// Immediately after capturing a Value (primitive or start of an object or array block),
206    /// this is set to the new Value. If a line comment is captured *before* capturing a
207    /// newline, the line comment is applied to the current_line_value.
208    current_line_value: Option<Rc<RefCell<Value>>>,
209
210    /// If an end-of-line comment is captured after capturing a Value, this saves the column of the
211    /// first character in the line comment. Successive line comments with the same start column
212    /// are considered continuations of the end-of-line comment.
213    end_of_line_comment_start_column: Option<usize>,
214}
215
216impl ContainedComments {
217    fn new() -> Self {
218        Self {
219            pending_comments: vec![],
220            current_line_value: None,
221            end_of_line_comment_start_column: None,
222        }
223    }
224
225    /// After parsing a value, if a newline is encountered before an end-of-line comment, the
226    /// current line no longer has the value.
227    fn on_newline(&mut self) -> Result<(), Error> {
228        if self.end_of_line_comment_start_column.is_none() {
229            self.current_line_value = None;
230        }
231        Ok(())
232    }
233
234    /// Adds a standalone line comment to this container, or adds an end_of_line_comment to the
235    /// current container's current value.
236    ///
237    /// # Arguments
238    ///   * `content`: the line comment content (including leading spaces)
239    ///   * `start_column`: the column number of the first character of content. If this line
240    ///     comment was immediately preceded by an end-of-line comment, and both line comments
241    ///     have the same start_column, then this line comment is a continuation of the end-of-line
242    ///     comment (on a new line). Formatting should retain the associated vertical alignment.
243    ///   * `pending_new_line_comment_block` - If true and the comment is not an
244    ///     end_of_line_comment, the container should insert a line_comment_break before inserting
245    ///     the next line comment. This should only be true if this standalone line comment was
246    ///     preceded by one or more standalone line comments and one or more blank lines.
247    ///     (This flag is ignored if the comment is part of an end-of-line comment.)
248    ///
249    /// # Returns
250    ///   true if the line comment is standalone, that is, not an end_of_line_comment
251    fn add_line_comment(
252        &mut self,
253        content: &str,
254        start_column: usize,
255        pending_new_line_comment_block: bool,
256    ) -> Result<bool, Error> {
257        if let Some(value_ref) = &mut self.current_line_value {
258            if start_column == *self.end_of_line_comment_start_column.get_or_insert(start_column) {
259                (*value_ref.borrow_mut()).comments_mut().append_end_of_line_comment(content)?;
260                return Ok(false); // the comment is (part of) an end-of-line comment
261            }
262            self.current_line_value = None;
263        }
264        if pending_new_line_comment_block {
265            self.pending_comments.push(Comment::Break);
266        }
267        self.pending_comments.push(Comment::Line(content.to_string()));
268        Ok(true)
269    }
270
271    /// Add a block comment, to be applied to the next contained value, or to the end of the current
272    /// container.
273    fn add_block_comment(&mut self, comment: Comment) -> Result<(), Error> {
274        self.current_line_value = None;
275        self.pending_comments.push(comment);
276        Ok(())
277    }
278
279    /// There are one or more line and/or block comments to be applied to the next contained value,
280    /// or to the end of the current container.
281    fn has_pending_comments(&self) -> bool {
282        self.pending_comments.len() > 0
283    }
284
285    /// When a value is encountered inside the current container, move all pending comments from the
286    /// container to the new value.
287    fn take_pending_comments(&mut self) -> Vec<Comment> {
288        self.pending_comments.drain(..).collect()
289    }
290}
291
292/// Represents the possible data types in a JSON5 object. Each variant has a field representing a
293/// specialized struct representing the value's data, and a field for comments (possibly including a
294/// line comment and comments appearing immediately before the value). For `Object` and `Array`,
295/// comments appearing at the end of the the structure are encapsulated inside the appropriate
296/// specialized struct.
297pub enum Value {
298    /// Represents a non-recursive data type (string, bool, number, or "null") and its associated
299    /// comments.
300    Primitive {
301        /// The struct containing the associated value.
302        val: Primitive,
303        /// The associated comments.
304        comments: Comments,
305    },
306    /// Represents a JSON5 array and its associated comments.
307    Array {
308        /// The struct containing the associated value.
309        val: Array,
310        /// The comments associated with the array.
311        comments: Comments,
312    },
313    /// Represents a JSON5 object and its associated comments.
314    Object {
315        /// The struct containing the associated value.
316        val: Object,
317        /// The comments associated with the object.
318        comments: Comments,
319    },
320}
321
322impl Value {
323    /// Returns `true` for an `Array` variant.
324    pub fn is_array(&self) -> bool {
325        match self {
326            Value::Array { .. } => true,
327            _ => false,
328        }
329    }
330
331    /// Returns `true` for an `Object` variant.
332    pub fn is_object(&self) -> bool {
333        match self {
334            Value::Object { .. } => true,
335            _ => false,
336        }
337    }
338
339    /// Returns `true` for a `Primitive` variant.
340    pub fn is_primitive(&self) -> bool {
341        match self {
342            Value::Primitive { .. } => true,
343            _ => false,
344        }
345    }
346
347    /// Recursively formats the data inside a `Value`.
348    pub(crate) fn format<'a>(
349        &self,
350        formatter: &'a mut Formatter,
351    ) -> Result<&'a mut Formatter, Error> {
352        use Value::*;
353        match self {
354            Primitive { val, .. } => val.format(formatter),
355            Array { val, .. } => val.format(formatter),
356            Object { val, .. } => val.format(formatter),
357        }
358    }
359
360    /// Retrieves an immutable reference to the `comments` attribute of any variant.
361    pub fn comments(&self) -> &Comments {
362        use Value::*;
363        match self {
364            Primitive { comments, .. } | Array { comments, .. } | Object { comments, .. } => {
365                comments
366            }
367        }
368    }
369    /// Returns a mutable reference to the `comments` attribute of any variant.
370    pub fn comments_mut(&mut self) -> &mut Comments {
371        use Value::*;
372        match self {
373            Primitive { comments, .. } | Array { comments, .. } | Object { comments, .. } => {
374                comments
375            }
376        }
377    }
378
379    /// Returns true if this value has any block, line, or end-of-line comment(s).
380    pub fn has_comments(&mut self) -> bool {
381        let comments = self.comments();
382        comments.before_value().len() > 0 || comments.end_of_line().is_some()
383    }
384}
385
386impl std::fmt::Debug for Value {
387    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
388        use Value::*;
389        match self {
390            Primitive { val, .. } => val.fmt(f),
391            Array { val, .. } => val.fmt(f),
392            Object { val, .. } => val.fmt(f),
393        }
394    }
395}
396
397/// Represents a primitive value in a JSON5 object property or array item.
398/// The parsed value is stored as a formatted string, retaining its original format,
399/// and written to the formatted document just as it appeared.
400pub struct Primitive {
401    value_string: String,
402}
403
404impl Primitive {
405    /// Instantiates a `Value::Array` with empty data and the provided comments.
406    pub(crate) fn new(value_string: String, comments: Vec<Comment>) -> Value {
407        Value::Primitive {
408            val: Primitive { value_string },
409            comments: Comments { before_value: comments, end_of_line_comment: None },
410        }
411    }
412
413    /// Returns the primitive value, as a formatted string.
414    #[inline]
415    pub fn as_str(&self) -> &str {
416        &self.value_string
417    }
418
419    fn format<'a>(&self, formatter: &'a mut Formatter) -> Result<&'a mut Formatter, Error> {
420        formatter.append(&self.value_string)
421    }
422}
423
424impl std::fmt::Debug for Primitive {
425    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
426        write!(f, "Primitive: {}", self.value_string)
427    }
428}
429
430/// An interface that represents the recursive nature of `Object` and `Array`.
431pub(crate) trait Container {
432    /// Called by the `Parser` to add a parsed `Value` to the current `Container`.
433    fn add_value(&mut self, value: Rc<RefCell<Value>>, parser: &Parser<'_>) -> Result<(), Error>;
434
435    /// The parser encountered a comma, indicating the end of an element declaration. Since
436    /// commas are optional, close() also indicates the end of a value without a trailing comma.
437    fn end_value(&mut self, _parser: &Parser<'_>) -> Result<(), Error>;
438
439    /// The parser encountered a closing brace indicating the end of the container's declaration.
440    fn close(&mut self, _parser: &Parser<'_>) -> Result<(), Error>;
441
442    /// Formats the content of a container (inside the braces) in accordance with the JSON5 syntax
443    /// and given format options.
444    fn format_content<'a>(&self, formatter: &'a mut Formatter) -> Result<&'a mut Formatter, Error>;
445
446    /// Retrieves an immutable reference to the `contained_comments` attribute.
447    fn contained_comments(&self) -> &ContainedComments;
448
449    /// Retrieves a mutable reference to the `contained_comments` attribute.
450    fn contained_comments_mut(&mut self) -> &mut ContainedComments;
451
452    /// See `ContainedComments::on_newline`.
453    fn on_newline(&mut self) -> Result<(), Error> {
454        self.contained_comments_mut().on_newline()
455    }
456
457    /// See `ContainedComments::add_line_comment`.
458    fn add_line_comment(
459        &mut self,
460        content: &str,
461        start_column: usize,
462        pending_new_line_comment_block: bool,
463    ) -> Result<bool, Error> {
464        self.contained_comments_mut().add_line_comment(
465            content,
466            start_column,
467            pending_new_line_comment_block,
468        )
469    }
470
471    /// See `ContainedComments::add_block_comment`.
472    fn add_block_comment(&mut self, comment: Comment) -> Result<(), Error> {
473        self.contained_comments_mut().add_block_comment(comment)
474    }
475
476    /// See `ContainedComments::has_pending_comments`.
477    fn has_pending_comments(&self) -> bool {
478        self.contained_comments().has_pending_comments()
479    }
480
481    /// See `ContainedComments::take_pending_comments`.
482    fn take_pending_comments(&mut self) -> Vec<Comment> {
483        self.contained_comments_mut().take_pending_comments()
484    }
485}
486
487/// Represents a JSON5 array of items. During parsing, this object's state changes, as comments and
488/// items are encountered. Parsed comments are temporarily stored in contained_comments, to be
489/// transferred to the next parsed item. After the last item, if any other comments are encountered,
490/// those comments are retained in the contained_comments field, to be restored during formatting,
491/// after writing the last item.
492pub struct Array {
493    /// The array items.
494    items: Vec<Rc<RefCell<Value>>>,
495
496    /// Set to true when a value is encountered (parsed primitive, or sub-container in process)
497    /// and false when a comma or the array's closing brace is encountered. This supports
498    /// validating that each array item is separated by one and only one comma.
499    is_parsing_value: bool,
500
501    /// Manages parsed comments inside the array scope, which are either transferred to each array
502    /// item, or retained for placement after the last array item.
503    contained_comments: ContainedComments,
504}
505
506impl Array {
507    /// Instantiates a `Value::Array` with empty data and the provided comments.
508    pub(crate) fn new(comments: Vec<Comment>) -> Value {
509        Value::Array {
510            val: Array {
511                items: vec![],
512                is_parsing_value: false,
513                contained_comments: ContainedComments::new(),
514            },
515            comments: Comments { before_value: comments, end_of_line_comment: None },
516        }
517    }
518
519    /// Returns an iterator over the array items. Items must be dereferenced to access
520    /// the `Value`. For example:
521    ///
522    /// ```
523    /// use json5format::*;
524    /// let parsed_document = ParsedDocument::from_str("{}", None)?;
525    /// for item in parsed_document.content.items() {
526    ///     assert!(!(*item).is_primitive());
527    /// }
528    /// # Ok::<(),anyhow::Error>(())
529    /// ```
530    pub fn items(&self) -> impl Iterator<Item = Ref<'_, Value>> {
531        self.items.iter().map(|rc| rc.borrow())
532    }
533
534    /// As in `Array::items`, returns an iterator over the array items, but with mutable references.
535    #[inline]
536    pub fn items_mut(&mut self) -> impl Iterator<Item = RefMut<'_, Value>> {
537        self.items.iter_mut().map(|rc| rc.borrow_mut())
538    }
539
540    /// Returns a reference to the comments at the end of an array not associated with any values.
541    #[inline]
542    pub fn trailing_comments(&self) -> &Vec<Comment> {
543        &self.contained_comments.pending_comments
544    }
545
546    /// Returns a mutable reference to the comments at the end of an array not associated with any
547    /// values.
548    #[inline]
549    pub fn trailing_comments_mut(&mut self) -> &mut Vec<Comment> {
550        &mut self.contained_comments.pending_comments
551    }
552
553    /// Returns a cloned vector of item references in sorted order. The items owned by this Array
554    /// retain their original order.
555    fn sort_items(&self, options: &FormatOptions) -> Vec<Rc<RefCell<Value>>> {
556        let mut items = self.items.clone();
557        if options.sort_array_items {
558            items.sort_by(|left, right| {
559                let left: &Value = &*left.borrow();
560                let right: &Value = &*right.borrow();
561                if let Value::Primitive { val: left_primitive, .. } = left {
562                    if let Value::Primitive { val: right_primitive, .. } = right {
563                        let mut ordering = left_primitive
564                            .value_string
565                            .to_lowercase()
566                            .cmp(&right_primitive.value_string.to_lowercase());
567                        // If two values are case-insensitively equal, compare them again with
568                        // case-sensitivity to ensure consistent re-ordering.
569                        if ordering == Ordering::Equal {
570                            ordering =
571                                left_primitive.value_string.cmp(&right_primitive.value_string);
572                        }
573                        ordering
574                    } else {
575                        Ordering::Equal
576                    }
577                } else {
578                    Ordering::Equal
579                }
580            });
581        }
582        items
583    }
584
585    fn format<'a>(&self, formatter: &'a mut Formatter) -> Result<&'a mut Formatter, Error> {
586        formatter.format_container("[", "]", |formatter| self.format_content(formatter))
587    }
588}
589
590impl Container for Array {
591    fn add_value(&mut self, value: Rc<RefCell<Value>>, parser: &Parser<'_>) -> Result<(), Error> {
592        if self.is_parsing_value {
593            Err(parser.error("Array items must be separated by a comma"))
594        } else {
595            self.is_parsing_value = true;
596            self.contained_comments.current_line_value = Some(value.clone());
597            self.contained_comments.end_of_line_comment_start_column = None;
598            self.items.push(value);
599            Ok(())
600        }
601    }
602
603    fn end_value(&mut self, parser: &Parser<'_>) -> Result<(), Error> {
604        if self.is_parsing_value {
605            self.is_parsing_value = false;
606            Ok(())
607        } else {
608            Err(parser.error("Unexpected comma without a preceding array item value"))
609        }
610    }
611
612    fn close(&mut self, _parser: &Parser<'_>) -> Result<(), Error> {
613        Ok(())
614    }
615
616    fn format_content<'a>(&self, formatter: &'a mut Formatter) -> Result<&'a mut Formatter, Error> {
617        let sorted_items = self.sort_items(&formatter.options_in_scope());
618        let len = sorted_items.len();
619        for (index, item) in sorted_items.iter().enumerate() {
620            let is_first = index == 0;
621            let is_last = index == len - 1;
622            formatter.format_item(
623                item,
624                is_first,
625                is_last,
626                self.contained_comments.has_pending_comments(),
627            )?;
628        }
629
630        formatter.format_trailing_comments(&self.contained_comments.pending_comments)
631    }
632
633    fn contained_comments(&self) -> &ContainedComments {
634        &self.contained_comments
635    }
636
637    fn contained_comments_mut(&mut self) -> &mut ContainedComments {
638        &mut self.contained_comments
639    }
640}
641
642impl std::fmt::Debug for Array {
643    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
644        write!(
645            f,
646            "Array of {} item{}",
647            self.items.len(),
648            if self.items.len() == 1 { "" } else { "s" }
649        )
650    }
651}
652
653/// Represents a name-value pair for a field in a JSON5 object.
654#[derive(Clone)]
655pub struct Property {
656    /// An unquoted or quoted property name. If unquoted, the name must match the
657    /// UNQUOTED_PROPERTY_NAME_PATTERN.
658    pub(crate) name: String,
659
660    /// The property value.
661    pub(crate) value: Rc<RefCell<Value>>,
662}
663
664impl Property {
665    /// Returns a new instance of a `Property` with the name provided as a `String`
666    /// and value provided as indirection to a `Value`.
667    pub(crate) fn new(name: String, value: Rc<RefCell<Value>>) -> Self {
668        Property { name, value }
669    }
670
671    /// An unquoted or quoted property name. If unquoted, JSON5 property
672    /// names comply with the ECMAScript 5.1 `IdentifierName` requirements.
673    #[inline]
674    pub fn name(&self) -> &str {
675        return &self.name;
676    }
677
678    /// Returns a `Ref` to the property's value, which can be accessed by dereference,
679    /// for example: `(*some_prop.value()).is_primitive()`.
680    #[inline]
681    pub fn value(&self) -> Ref<'_, Value> {
682        return self.value.borrow();
683    }
684
685    /// Returns a `RefMut` to the property's value, which can be accessed by dereference,
686    /// for example: `(*some_prop.value()).is_primitive()`.
687    #[inline]
688    pub fn value_mut(&mut self) -> RefMut<'_, Value> {
689        return self.value.borrow_mut();
690    }
691}
692
693impl std::fmt::Debug for Property {
694    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
695        write!(f, "Property {}: {:?}", self.name, self.value)
696    }
697}
698
699/// A specialized struct to represent the data of JSON5 object, including any comments placed at
700/// the end of the object.
701pub struct Object {
702    /// Parsed property name to be applied to the next upcoming Value.
703    pending_property_name: Option<String>,
704
705    /// Properties of this object.
706    properties: Vec<Property>,
707
708    /// Set to true when a value is encountered (parsed primitive, or sub-container in process)
709    /// and false when a comma or the object's closing brace is encountered. This supports
710    /// validating that each property is separated by one and only one comma.
711    is_parsing_property: bool,
712
713    /// Manages parsed comments inside the object scope, which are either transferred to each object
714    /// item, or retained for placement after the last object item.
715    contained_comments: ContainedComments,
716}
717
718impl Object {
719    /// Instantiates a `Value::Object` with empty data and the provided comments.
720    pub(crate) fn new(comments: Vec<Comment>) -> Value {
721        Value::Object {
722            val: Object {
723                pending_property_name: None,
724                properties: vec![],
725                is_parsing_property: false,
726                contained_comments: ContainedComments::new(),
727            },
728            comments: Comments { before_value: comments, end_of_line_comment: None },
729        }
730    }
731
732    /// Retrieves an iterator from the `properties` field.
733    #[inline]
734    pub fn properties(&self) -> impl Iterator<Item = &Property> {
735        self.properties.iter()
736    }
737
738    /// Retrieves an iterator of mutable references from the `properties` field.
739    #[inline]
740    pub fn properties_mut(&mut self) -> impl Iterator<Item = &mut Property> {
741        self.properties.iter_mut()
742    }
743
744    /// Returns a reference to the comments at the end of an object not associated with any values.
745    #[inline]
746    pub fn trailing_comments(&self) -> &Vec<Comment> {
747        &self.contained_comments.pending_comments
748    }
749
750    /// Returns a mutable reference to the comments at the end of an object not associated with any
751    /// values.
752    #[inline]
753    pub fn trailing_comments_mut(&mut self) -> &mut Vec<Comment> {
754        &mut self.contained_comments.pending_comments
755    }
756    /// The given property name was parsed. Once it's value is also parsed, the property will be
757    /// added to this `Object`.
758    ///
759    /// # Arguments
760    ///   * name - the property name, possibly quoted
761    ///   * parser - reference to the current state of the parser
762    pub(crate) fn set_pending_property(
763        &mut self,
764        name: String,
765        parser: &Parser<'_>,
766    ) -> Result<(), Error> {
767        self.contained_comments.current_line_value = None;
768        if self.is_parsing_property {
769            Err(parser.error("Properties must be separated by a comma"))
770        } else {
771            self.is_parsing_property = true;
772            match &self.pending_property_name {
773                Some(property_name) => Err(Error::internal(
774                    parser.location(),
775                    format!(
776                        "Unexpected property '{}' encountered before completing the previous \
777                         property '{}'",
778                        name, property_name
779                    ),
780                )),
781                None => {
782                    self.pending_property_name = Some(name.to_string());
783                    Ok(())
784                }
785            }
786        }
787    }
788
789    /// Returns true if a property name has been parsed, and the parser has not yet reached a value.
790    pub(crate) fn has_pending_property(&mut self) -> Result<bool, Error> {
791        Ok(self.pending_property_name.is_some())
792    }
793
794    /// Returns a cloned vector of property references in sorted order. The properties owned by
795    /// this Object retain their original order.
796    fn sort_properties(&self, options: &SubpathOptions) -> Vec<Property> {
797        let mut properties = self.properties.clone();
798        properties.sort_by(|left, right| {
799            options
800                .get_property_priority(&left.name)
801                .cmp(&options.get_property_priority(&right.name))
802        });
803        properties
804    }
805
806    fn format<'a>(&self, formatter: &'a mut Formatter) -> Result<&'a mut Formatter, Error> {
807        formatter.format_container("{", "}", |formatter| self.format_content(formatter))
808    }
809}
810
811impl Container for Object {
812    fn add_value(&mut self, value: Rc<RefCell<Value>>, parser: &Parser<'_>) -> Result<(), Error> {
813        match self.pending_property_name.take() {
814            Some(name) => {
815                self.contained_comments.current_line_value = Some(value.clone());
816                self.contained_comments.end_of_line_comment_start_column = None;
817                self.properties.push(Property::new(name, value));
818                Ok(())
819            }
820            None => Err(parser.error("Object values require property names")),
821        }
822    }
823
824    fn end_value(&mut self, parser: &Parser<'_>) -> Result<(), Error> {
825        match &self.pending_property_name {
826            Some(property_name) => Err(parser.error(format!(
827                "Property '{}' must have a value before the next comma-separated property",
828                property_name
829            ))),
830            None => {
831                if self.is_parsing_property {
832                    self.is_parsing_property = false;
833                    Ok(())
834                } else {
835                    Err(parser.error("Unexpected comma without a preceding property"))
836                }
837            }
838        }
839    }
840
841    fn close(&mut self, parser: &Parser<'_>) -> Result<(), Error> {
842        match &self.pending_property_name {
843            Some(property_name) => Err(parser.error(format!(
844                "Property '{}' must have a value before closing an object",
845                property_name
846            ))),
847            None => Ok(()),
848        }
849    }
850
851    fn format_content<'a>(&self, formatter: &'a mut Formatter) -> Result<&'a mut Formatter, Error> {
852        let sorted_properties = match formatter.get_current_subpath_options() {
853            Some(options) => Some(self.sort_properties(&*options.borrow())),
854            None => None,
855        };
856        let properties = match &sorted_properties {
857            Some(sorted_properties) => &sorted_properties,
858            None => &self.properties,
859        };
860
861        let len = properties.len();
862        for (index, property) in properties.iter().enumerate() {
863            let is_first = index == 0;
864            let is_last = index == len - 1;
865            formatter.format_property(
866                &property,
867                is_first,
868                is_last,
869                self.contained_comments.has_pending_comments(),
870            )?;
871        }
872
873        formatter.format_trailing_comments(&self.contained_comments.pending_comments)
874    }
875
876    fn contained_comments(&self) -> &ContainedComments {
877        &self.contained_comments
878    }
879
880    fn contained_comments_mut(&mut self) -> &mut ContainedComments {
881        &mut self.contained_comments
882    }
883}
884
885impl std::fmt::Debug for Object {
886    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
887        write!(
888            f,
889            "Object of {} propert{}",
890            self.properties.len(),
891            if self.properties.len() == 1 { "y" } else { "ies" }
892        )
893    }
894}