/** * `&self` means the method takes an immutable reference. * If you need a mutable reference, change it to `&mut self` instead. */ impl MyCircularDeque {
/** Initialize your data structure here. Set the size of the deque to be k. */ fnnew(k: i32) -> Self { letmut vec = Vec::with_capacity(k.clone() asusize); vec.resize(k.clone() asusize, 0); MyCircularDeque { v : vec, head : k asusize - 1, tail : 0, count : 0 } }
/** Adds an item at the front of Deque. Return true if the operation is successful. */ fninsert_front(&mutself, value: i32) -> bool { ifself.is_full() { returnfalse; }
/** Adds an item at the rear of Deque. Return true if the operation is successful. */ fninsert_last(&mutself, value: i32) -> bool { ifself.is_full() { returnfalse; }
/** Deletes an item from the front of Deque. Return true if the operation is successful. */ fndelete_front(&mutself) -> bool { ifself.is_empty() { returnfalse; } self.head = (self.head + 1) % self.v.len(); self.count -= 1; returntrue; }
/** Deletes an item from the rear of Deque. Return true if the operation is successful. */ fndelete_last(&mutself) -> bool { ifself.is_empty() { returnfalse; } self.tail = (self.tail + self.v.len() - 1) % self.v.len(); self.count -= 1; returntrue; }
/** Get the front item from the deque. */ fnget_front(&self) -> i32 { ifself.is_empty() { return - 1; } returnself.v[(self.head.clone() + 1) % self.v.len()]; }
/** Get the last item from the deque. */ fnget_rear(&self) -> i32 { ifself.is_empty() { return -1; } returnself.v[(self.tail - 1 + self.v.len()) % self.v.len()]; }
/** Checks whether the circular deque is empty or not. */ fnis_empty(&self) -> bool { returnself.count == 0; }
/** Checks whether the circular deque is full or not. */ fnis_full(&self) -> bool { returnself.count == self.v.len(); } }