Dengan asumsi implementasi yang sebenarnya memiliki tumpukan dan tumpukan (standar C ++ tidak membuat persyaratan untuk memiliki hal-hal seperti itu) satu-satunya pernyataan yang benar adalah yang terakhir.
vector<Type> vect;
//allocates vect on stack and each of the Type (using std::allocator) also will be on the stack
Ini benar, kecuali untuk bagian terakhir ( Type
tidak akan ada di tumpukan). Membayangkan:
void foo(vector<Type>& vec) {
// Can't be on stack - how would the stack "expand"
// to make the extra space required between main and foo?
vec.push_back(Type());
}
int main() {
vector<Type> bar;
foo(bar);
}
Juga:
vector<Type> *vect = new vector<Type>; //allocates vect on heap and each of the Type will be allocated on stack
Benar kecuali bagian terakhir, dengan contoh penghitung serupa:
void foo(vector<Type> *vec) {
// Can't be on stack - how would the stack "expand"
// to make the extra space required between main and foo?
vec->push_back(Type());
}
int main() {
vector<Type> *bar = new vector<Type>;
foo(bar);
}
Untuk:
vector<Type*> vect; //vect will be on stack and Type* will be on heap.
ini benar, tetapi perhatikan di sini bahwa Type*
pointer akan berada di tumpukan, tetapi Type
contoh yang mereka tunjukkan tidak perlu:
int main() {
vector<Type*> bar;
Type foo;
bar.push_back(&foo);
}