use std::error::Error;
use std::fmt::{Display, Formatter};
#[derive(Debug, Default)]
pub struct IndentStack {
stack: Vec<String>,
std_indent: Option<String>,
pub allow_inconsistent_indents: bool,
}
impl IndentStack {
pub fn default_inconsistent_indents() -> Self {
Self { allow_inconsistent_indents: true, ..Default::default() }
}
pub fn accept(&mut self, input: &str) -> Result<isize, IndentError> {
let mut offset = 0;
for i in 0..self.stack.len() {
if offset == input.len() {
let ret = self.stack.len() - i;
self.stack.drain(i..);
return Ok(-(ret as isize));
}
let indent = self.stack[i].as_str();
if input.len() - offset < indent.len() || &input[offset..(offset + indent.len())] != indent {
return Err(IndentError::MixedIndent);
}
offset += indent.len();
}
if offset == input.len() {
return Ok(0);
}
let indent = &input[offset..];
if !self.allow_inconsistent_indents {
match &self.std_indent {
Some(std) => {
if indent != std {
return Err(IndentError::InconsistentIndent);
}
}
None => {
self.std_indent = Some(indent.into());
}
}
}
self.stack.push(input[offset..].into());
Ok(1)
}
}
#[derive(Debug, PartialEq)]
pub enum IndentError {
InconsistentIndent,
MixedIndent,
}
impl Display for IndentError {
fn fmt(&self, f: &mut Formatter) -> Result<(), std::fmt::Error> {
match *self {
IndentError::InconsistentIndent => write!(f, "Not all indentations use the same character sequence."),
IndentError::MixedIndent => write!(f, "The current indentation is not a continuation nor substring of the previous indentation."),
}
}
}
impl Error for IndentError {}
#[cfg(test)]
mod tests;