wright/parser/
whitespace.rs

1//! Utilities for parsing through whitespace.
2
3use super::{
4    Parser,
5    error::{ParserError, ParserErrorKind},
6};
7use crate::lexer::token::TokenTy;
8
9/// Consume and ignore a [TokenTy::Whitespace] from the front of the [Parser].
10/// If there is not one, do nothing.
11pub fn optional_whitespace(parser: &mut Parser) {
12    while parser.peek_variant() == Some(TokenTy::Whitespace) {
13        parser.advance(1);
14    }
15}
16
17/// Require a whitespace from the [Parser]. Do not advance if the next [Token] is not a whitespace.
18///
19/// [Token]: crate::lexer::token::Token
20pub fn require_whitespace(parser: &mut Parser) -> Result<(), ParserError> {
21    match parser.next_if_is(TokenTy::Whitespace) {
22        Some(_) => {
23            // Remove any other non-contiguous whitespaces that may have followed.
24            optional_whitespace(parser);
25            Ok(())
26        }
27
28        None => Err(ParserError {
29            kind: ParserErrorKind::ExpectedWhitespace,
30            location: parser.peek_fragment_or_rest_cloned(),
31            help: None,
32        }),
33    }
34}