use crate::error::Error;
use crate::chunk_list::ChunkList;
use alloc::string::String;
pub struct RefactoryString<'a> {
chunks: ChunkList<'a>
}
impl<'a> RefactoryString<'a> {
pub fn new(content: &'a str) -> RefactoryString<'a> {
RefactoryString {
chunks:ChunkList::new(content)
}
}
pub fn len(&self) -> usize {
self.chunks.iter().fold(0, |a,x| a + x.len())
}
pub fn to_string(&self) -> String {
let mut s = String::new();
for it in self.chunks.iter() {
s.push_str(&it.to_string());
}
s
}
#[inline]
fn do_insert(
&mut self,
index: usize,
content: &str,
left: bool,
append: bool,
) -> Result<(), Error> {
let (l, r) = self.chunks.split(index)?;
if append {
if left {
l.append_right(content)
} else {
r.append_left(content)
}
} else {
if left {
l.prepend_right(content)
} else {
r.prepend_left(content)
}
}
}
pub fn append_left(&mut self, index: usize, content: &str) -> Result<(), Error> {
self.do_insert(index, content, true, true)
}
pub fn prepend_left(&mut self, index: usize, content: &str) -> Result<(), Error> {
self.do_insert(index, content, true, false)
}
pub fn append_right(&mut self, index: usize, content: &str) -> Result<(), Error> {
self.do_insert(index, content, false, true)
}
pub fn prepend_right(&mut self, index: usize, content: &str) -> Result<(), Error> {
self.do_insert(index, content, false,false)
}
pub fn prepend(&mut self, content: &str) -> Result<(), Error> {
self.prepend_left(0, content)
}
pub fn append(&mut self, content: &str) -> Result<(), Error> {
self.append_right(self.len(), content)
}
pub fn overwrite(&mut self, start: usize, end: usize, content: &str) -> Result<(), Error> {
self.remove(start, end)?;
self.append_left(start, content)?;
Ok(())
}
pub fn remove(&mut self, start: usize, end: usize) -> Result<(), Error> {
self.chunks.remove(start, end)
}
}