rstm_core/mem/tape/tape.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281
/*
Appellation: tape <module>
Contrib: FL03 <jo3mccain@icloud.com>
*/
use crate::{Direction, Error};
use core::cell::Cell;
#[cfg(feature = "alloc")]
use alloc::vec::Vec;
/// # [StdTape]
///
/// [StdTae] is a basic implementation of a tape, a one-dimensional surface evenly divided into
/// cells capable of storing symbols. The tape is infinite in both directions allowing the
/// head, or actor, to move without bounds, extending the tape as needed.
///
/// Here, the tape employs the use of a [Vec] to store symbols while leveraging a
/// [usize] to keep track of the current position of the tape head. Moreover, the tape
/// stores the number of steps or operations taken by the tape head in a [Cell<usize>].
/// This is done to quantify the impact of operations whose directions are defined to
/// be [Direction::Stay]. Moving left and right within a linear space speaks directly
/// to a translation or shift in space, however, staying in place does not result in
/// any movement, shift, or translation within space. That being said, staying still
/// is an operation that does result in some change in-time.
#[derive(Clone, Eq, Ord, PartialEq, PartialOrd)]
#[cfg_attr(feature = "serde", derive(serde::Deserialize, serde::Serialize))]
pub struct StdTape<S = char> {
index: usize,
store: Vec<S>,
ticks: Cell<usize>,
}
impl<S> Default for StdTape<S> {
fn default() -> Self {
Self::new()
}
}
impl<S> StdTape<S> {
pub fn new() -> Self {
StdTape {
index: 0,
store: Vec::<S>::new(),
ticks: Cell::default(),
}
}
/// Constructs a new tape from an iterator.
pub fn from_iter(iter: impl IntoIterator<Item = S>) -> Self {
StdTape {
index: 0,
store: Vec::from_iter(iter),
ticks: Cell::default(),
}
}
/// Constructs a new, empty tape with the specified capacity.
pub fn with_capacity(capacity: usize) -> Self {
StdTape {
index: 0,
store: Vec::<S>::with_capacity(capacity),
ticks: Cell::default(),
}
}
/// Returns a raw pointer to the store.
pub fn as_ptr(&self) -> *const S {
self.store.as_ptr()
}
/// Returns a mutable raw pointer to the store.
pub fn as_mut_ptr(&mut self) -> *mut S {
self.store.as_mut_ptr()
}
/// Returns an owned reference to the store as a [slice](core::slice)
pub fn as_slice(&self) -> &[S] {
&self.store
}
/// Returns a mutable reference to the store as a [slice](core::slice)
pub fn as_mut_slice(&mut self) -> &mut [S] {
&mut self.store
}
/// Clears the tape, removing all elements.
pub fn clear(&mut self) {
self.store.clear();
}
/// Given an index, return a reference to the symbol at that index;
/// panics if the index is out of bounds.
pub fn get<I>(&self, idx: I) -> Option<&I::Output>
where
I: core::slice::SliceIndex<[S]>,
{
self.store.get(idx)
}
/// Checks if the tape is empty; returns `true` if the tape is empty,
/// `false` otherwise.
pub fn is_empty(&self) -> bool {
self.store.is_empty()
}
/// Returns an immutable iterator over the symbols stored on the tape.
pub fn iter(&self) -> core::slice::Iter<S> {
self.store.iter()
}
/// Returns a mutable iterator over the symbols stored on the tape.
pub fn iter_mut(&mut self) -> core::slice::IterMut<S> {
self.store.iter_mut()
}
/// Returns the number of elements in the tape.
pub fn len(&self) -> usize {
self.store.len()
}
/// Removes and returns the last element of the tape, or `None` if it is empty.
pub fn pop(&mut self) -> Option<S> {
self.store.pop()
}
/// Appends the given element to the back of the collection.
pub fn push(&mut self, symbol: S) {
self.store.push(symbol);
}
/// Returns the number of steps or operations taken by the tape head;
/// this provides a measure of the impact of operations whose directions are defined to be
/// [Stay](Direction::Stay).
pub fn ticks(&self) -> usize {
self.ticks.get()
}
/// Returns the current position of the tape head;
pub fn position(&self) -> usize {
self.index
}
/// Attempts to read the symbol at the current position of the tape head.
pub fn read(&self) -> Result<&S, Error> {
self.get(self.index)
.ok_or(Error::index_out_of_bounds(self.index, self.len()))
}
/// Writes the given symbol to the tape at the current position of the tape head.
pub fn write(&mut self, symbol: S) {
if self.index == usize::MAX {
self.store.insert(0, symbol);
} else if self.index == self.store.len() {
self.store.push(symbol);
} else {
self.store[self.index] = symbol;
}
}
pub fn update(&mut self, direction: Direction, symbol: S) {
self.on_update();
self.write(symbol);
self.shift(direction);
}
fn on_update(&self) {
self.ticks.set(self.ticks() + 1);
}
fn shift(&mut self, direction: Direction) -> usize {
self.index = direction.apply_unsigned(self.index) % self.store.len();
self.position()
}
}
impl StdTape {
pub fn from_str(input: &str) -> StdTape {
StdTape {
index: 0,
store: input.chars().collect(),
ticks: Cell::default(),
}
}
}
impl<S> AsRef<[S]> for StdTape<S> {
fn as_ref(&self) -> &[S] {
&self.store
}
}
impl<S> AsMut<[S]> for StdTape<S> {
fn as_mut(&mut self) -> &mut [S] {
&mut self.store
}
}
impl<S> core::borrow::Borrow<[S]> for StdTape<S> {
fn borrow(&self) -> &[S] {
&self.store
}
}
impl<S> core::borrow::BorrowMut<[S]> for StdTape<S> {
fn borrow_mut(&mut self) -> &mut [S] {
&mut self.store
}
}
impl<S> core::ops::Deref for StdTape<S> {
type Target = [S];
fn deref(&self) -> &Self::Target {
&self.store
}
}
impl<S> core::ops::DerefMut for StdTape<S> {
fn deref_mut(&mut self) -> &mut Self::Target {
&mut self.store
}
}
impl<S> core::fmt::Debug for StdTape<S>
where
S: core::fmt::Debug,
{
fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
for (i, c) in self.store.iter().enumerate() {
match c {
s if i == self.index => write!(f, "[{s:?}]")?,
_ => write!(f, "{c:?}")?,
}
}
Ok(())
}
}
impl<S> core::fmt::Display for StdTape<S>
where
S: core::fmt::Display,
{
fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
for (i, c) in self.store.iter().enumerate() {
match c {
b if i == self.index => write!(f, "[{b}]")?,
_ => write!(f, "{c}")?,
}
}
Ok(())
}
}
impl<S> core::iter::Extend<S> for StdTape<S> {
fn extend<T>(&mut self, iter: T)
where
T: IntoIterator<Item = S>,
{
self.store.extend(iter);
}
}
impl<S> core::iter::FromIterator<S> for StdTape<S> {
fn from_iter<I>(iter: I) -> Self
where
I: IntoIterator<Item = S>,
{
StdTape::from_iter(iter)
}
}
impl<S> core::iter::IntoIterator for StdTape<S> {
type Item = S;
type IntoIter = std::vec::IntoIter<S>;
fn into_iter(self) -> Self::IntoIter {
self.store.into_iter()
}
}
impl<S, I> core::ops::Index<I> for StdTape<S>
where
I: core::slice::SliceIndex<[S]>,
{
type Output = I::Output;
fn index(&self, index: I) -> &Self::Output {
&self.store[index]
}
}
impl<S, I> core::ops::IndexMut<I> for StdTape<S>
where
I: core::slice::SliceIndex<[S]>,
{
fn index_mut(&mut self, index: I) -> &mut Self::Output {
&mut self.store[index]
}
}