Queue: document with comments

This commit is contained in:
Starbeamrainbowlabs 2021-08-04 21:11:47 +01:00
parent b7c3f21135
commit 7c7abf4509
Signed by: sbrl
GPG Key ID: 1BE5172E637709C2
1 changed files with 20 additions and 2 deletions

View File

@ -1,16 +1,22 @@
-------------------------------------------------------------------------------
--- A Queue implementation, taken & adapted from https://www.lua.org/pil/11.4.html
--- A Queue implementation
-- Taken & adapted from https://www.lua.org/pil/11.4.html
-- @submodule worldeditadditions.utils.queue
-- @class
local Queue = {}
Queue.__index = Queue
--- Creates a new queue instance.
-- @returns Queue
function Queue.new()
local result = { first = 0, last = -1, items = {} }
setmetatable(result, Queue)
return result
end
--- Adds a new value to the end of the queue.
-- @param value any The new value to add to the end of the queue.
-- @returns number The index of the value that was added to the queue.
function Queue:enqueue(value)
local new_last = self.last + 1
self.last = new_last
@ -18,6 +24,9 @@ function Queue:enqueue(value)
return new_last
end
--- Determines whether a given value is present in this queue or not.
-- @param value any The value to check.
-- @returns bool Whether the given value exists in the queue or not.
function Queue:contains(value)
for i=self.first,self.last do
if self.items[i] == value then
@ -27,14 +36,22 @@ function Queue:contains(value)
return false
end
--- Returns whether the queue is empty or not.
-- @returns bool Whether the queue is empty or not.
function Queue:is_empty()
return self.first > self.last
end
--- Removes the item with the given index from the queue.
-- Item indexes do not change as the items in a queue are added and removed.
-- @param number The index of the item to remove from the queue.
-- @returns nil
function Queue:remove_index(index)
self.items[index] = nil
end
--- Dequeues an item from the front of the queue.
-- @returns any|nil Returns the item at the front of the queue, or nil if no items are currently enqueued.
function Queue:dequeue()
if Queue.is_empty(self) then
error("Error: The self is empty!")
@ -53,4 +70,5 @@ function Queue:dequeue()
return value
end
return Queue