I tried to make my custom Vector class, with a template class.
I expect I can put my Vector<int>
into a Vector<Vector<int>>
variable. At least that was what I was hoping for... but it keeps crashing at the destructor code.
Here's my code.
#include <iostream>
#include <string>
template <typename T>
class Vector {
T* data;
int capacity;
int length;
public:
typedef T value_type;
Vector() {}
Vector(int n) : data(new T[n]), capacity(n), length(0) {}
void push_back(T input) {
data[length++] = input;
}
T operator[](int i) { return data[i]; }
virtual ~Vector() { if (data) delete[] data; }
};
int main() {
Vector<Vector<int>> v(3);
Vector<int> vv(4);
v.push_back(vv);
}
So I thought, maybe I should use a copy constructor, since it seems the problem is that v
is being deleted before vv
. Well, if I just comment out the destructor code, it will work, but that doesn't seem right to me...
So I made a custom copy constructor like this:
Vector(const T& other) {
}
But it give me an error, saying "ambiguous overloading"... looking back, of course it is wrong, since T
of data
is different from T
of other
...
How can I make my custom Vector
class work? (i.e. I want push_back work as I intended...)
Your default constructor leaves the object completely uninitialized.
Consider what happens when you declare a
foo
essentially gets a random memory address asdata
, a randomlength
andcapacity
. This will give fireworks if you free it.Perhaps you sidestepped this issue by always creating your vector with a predefined size. Luckily, trying to create/destroy a
Vector<Vector<int>>
brings this to light, because theVector<int>[]
inside your container still contains these ticking timebombs.