nstool/lib/libfnd/include/fnd/List.h

138 lines
2.4 KiB
C
Raw Normal View History

2017-07-06 10:48:46 +00:00
#pragma once
#include <fnd/types.h>
#include <vector>
namespace fnd
{
template <class T>
class List
{
public:
List() :
mElements()
{
}
List(const T* elements, size_t num) :
mElements(num)
{
initList(elements, num);
}
// assignment operator
const List& operator=(const List& other)
{
mElements.clear();
for (size_t i = 0; i < other.getSize(); i++)
{
mElements.push_back(other[i]);
}
return *this;
}
// comparision operator
bool operator==(const List& other) const
{
if (other.getSize() != this->getSize())
{
return false;
}
for (size_t i = 0; i < this->getSize(); i++)
{
if (getElement(i) != other[i])
{
return false;
}
}
return true;
}
bool operator!=(const List& other) const
{
return !operator==(other);
}
// access operators
const T& getElement(size_t index) const
{
return mElements[index];
}
T& getElement(size_t index)
{
if (index == mElements.size()) mElements.push_back(T());
return mElements[index];
}
const T& operator[](size_t index) const { return getElement(index); }
T& operator[](size_t index) { return getElement(index); }
const T& atBack() const { return getElement(getSize() - 1); }
T& atBack() { return getElement(getSize() - 1); }
// functions
void addElement(const T& element) { mElements.push_back(element); }
2017-07-18 14:17:32 +00:00
size_t getIndexOf(const T& key) const
2017-07-12 14:03:56 +00:00
{
for (size_t i = 0; i < getSize(); i++)
{
2017-07-18 14:17:32 +00:00
if (getElement(i) == key) return i;
2017-07-12 14:03:56 +00:00
}
throw Exception("LIST", "Element does not exist");
}
2017-07-18 14:17:32 +00:00
bool hasElement(const T& key) const
2017-07-12 14:03:56 +00:00
{
try
{
2017-07-18 14:17:32 +00:00
getIndexOf(key);
} catch (const Exception&)
{
return false;
}
return true;
}
// special
template <class X>
size_t getIndexOf(const X& key) const
{
for (size_t i = 0; i < getSize(); i++)
{
if (getElement(i) == key) return i;
}
throw Exception("LIST", "Element does not exist");
}
template <class X>
bool hasElement(const X& key) const
{
try
{
getIndexOf(key);
2017-07-12 14:03:56 +00:00
} catch (const Exception&)
{
return false;
}
return true;
}
2017-07-06 10:48:46 +00:00
size_t getSize() const { return mElements.size(); }
void clear() { mElements.clear(); }
private:
std::vector<T> mElements;
void initList(T* elements, size_t num)
{
mElements.clear();
for (size_t i = 0; i < num; i++)
{
mElements.push_back(elements[i]);
}
}
};
}