* fix: replace sh with shell fix replace terminal with shell fix replace node with js fix replace output with shell fix replace cs with csharp fix replace c++ with cpp fix replace c# with csharp fix replace javasctipt with js fix replace syntax with js fix replace unix with shell fix replace linux with shell fix replace java 8 with java fix replace swift4 with swift fix replace react.js with jsx fix replace javascriot with js fix replace javacsript with js fix replace c++ - with cpp fix: corrected various typos fix: replace Algorithm with nothing fix: replace xaml with xml fix: replace solidity with nothing fix: replace c++ with cpp fix: replace txt with shell fix: replace code with json and css fix: replace console with shell
82 lines
1.8 KiB
Markdown
82 lines
1.8 KiB
Markdown
---
|
|
title: Create a Circular Queue
|
|
---
|
|
## Create a Circular Queue
|
|
|
|
### Method:
|
|
- In this challenge we create a Circular Queue data structure.
|
|
- First, we need to create an array of `size` with all elements set to `null`.
|
|
- Then we create an equeue method, which moves the write pointer but doesnt exceed the read pointer.
|
|
- The dequeue method on the other hand, moves the read pointer but doesnt exceed the write pointer.
|
|
- Example:
|
|
- First, we create an array of length 5:
|
|
```shell
|
|
[null, null, null, null, null]
|
|
^Read @ 0
|
|
^Write @ 0
|
|
```
|
|
- Then we enqueue `a`, `b`, and `c`:
|
|
```shell
|
|
[a, b, c, null, null]
|
|
^Read @ 0
|
|
^Write @ 3
|
|
```
|
|
- Now we dequeue all the enqueued items:
|
|
```shell
|
|
[null, null, null, null, null]
|
|
^Read @ 3
|
|
^Write @ 3
|
|
```
|
|
- Finally, we enqueue `d`, `e` and `f`:
|
|
```shell
|
|
[f, null, null, d, e]
|
|
^Read @ 3
|
|
^Write @ 1
|
|
```
|
|
### Solution:
|
|
```js
|
|
class CircularQueue {
|
|
constructor(size) {
|
|
|
|
this.queue = [];
|
|
this.read = 0;
|
|
this.write = 0;
|
|
this.max = size - 1;
|
|
|
|
while (size > 0) {
|
|
this.queue.push(null);
|
|
size--;
|
|
}
|
|
|
|
}
|
|
|
|
print() {
|
|
return this.queue;
|
|
}
|
|
|
|
|
|
enqueue(item) {
|
|
if (this.queue[this.write] === null){
|
|
this.queue[this.write++] = item;
|
|
|
|
if (this.write > this.max) this.write = 0;
|
|
return item;
|
|
}
|
|
return null;
|
|
}
|
|
|
|
dequeue() {
|
|
if (this.queue[this.read] != null){
|
|
let item = this.queue[this.read];
|
|
this.queue[this.read++] = null;
|
|
if (this.read > this.max) this.read = 0;
|
|
return item;
|
|
}
|
|
return null;
|
|
}
|
|
}
|
|
```
|
|
### References:
|
|
|
|
- [Wikipedia](https://en.wikipedia.org/wiki/Circular_buffer)
|