use std::cell::{Ref, RefCell};
use std::iter::Iterator;
use std::rc::Rc;
pub trait ViewMut {
fn view_mut(&self) -> Self;
}
#[derive(Debug, PartialEq, Default)]
pub struct CowObj<T: Clone>(pub Rc<RefCell<Rc<T>>>);
impl<T: Clone> Clone for CowObj<T> {
fn clone(&self) -> Self {
Self::new(Rc::new(RefCell::new(self.0.borrow().clone())))
}
}
impl<T: Clone> From<T> for CowObj<T> {
fn from(x: T) -> Self {
CowObj::new(Rc::new(RefCell::new(Rc::new(x))))
}
}
pub struct CowObjIter<T: Clone> {
data: Rc<Vec<T>>,
index: usize,
}
impl<T: Clone> Iterator for CowObjIter<T> {
type Item = T;
fn next(&mut self) -> Option<Self::Item> {
if self.index < self.data.len() {
let item = self.data[self.index].clone();
self.index += 1;
Some(item)
} else {
None
}
}
}
impl<T: Clone> IntoIterator for CowObj<Vec<T>> {
type Item = T;
type IntoIter = CowObjIter<T>;
fn into_iter(self) -> Self::IntoIter {
let x = self.borrow().clone();
CowObjIter { data: x, index: 0 }
}
}
impl<T: Clone> CowObj<T> {
pub fn new(x: Rc<RefCell<Rc<T>>>) -> Self {
CowObj(x)
}
pub fn inner_rc(&self) -> Rc<T> {
self.borrow().clone()
}
pub fn with_inner_mut<F, R>(&self, f: F) -> R
where
F: FnOnce(&mut T) -> R,
{
let CowObj(x) = self;
let x1 = &mut *x.borrow_mut();
let vals = Rc::make_mut(x1);
f(vals)
}
pub fn borrow(&self) -> Ref<'_, Rc<T>> {
self.0.borrow()
}
}
impl<T: Clone> ViewMut for CowObj<T> {
fn view_mut(&self) -> Self {
Self::new(Rc::clone(&self.0))
}
}
impl<T: Clone> CowObj<Vec<T>> {
pub fn len(&self) -> usize {
self.0.borrow().len()
}
pub fn is_empty(&self) -> bool {
self.len() == 0
}
pub fn iter(&self) -> CowObjIter<T> {
self.clone().into_iter()
}
}
#[cfg(test)]
mod tests {
use super::CowObj;
use crate::object::ViewMut;
#[test]
fn with_inner_mut() {
let x = CowObj::from(vec![]);
let _x1 = x.clone();
let _x2 = x.view_mut();
x.with_inner_mut(|v| v.push(1));
assert_eq!(x.0.borrow().first().cloned().unwrap(), 1);
}
}