Aslında bir yığın ve bir yığın (standart C ++ böyle şeylere sahip olma zorunluluğu yoktur) bir uygulama varsayarsak, tek doğru ifade sonuncusu.
vector<Type> vect;
//allocates vect on stack and each of the Type (using std::allocator) also will be on the stack
Bu son kısım hariç doğrudur ( Type
yığın üzerinde olmayacak). Hayal etmek:
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);
}
Aynı şekilde:
vector<Type> *vect = new vector<Type>; //allocates vect on heap and each of the Type will be allocated on stack
Benzer bir sayaç örneği ile son bölüm hariç doğrudur:
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);
}
İçin:
vector<Type*> vect; //vect will be on stack and Type* will be on heap.
bu doğrudur, ancak burada Type*
işaretçilerin yığın üzerinde olacağını, ancak Type
işaret etmeleri gereken örneklerin olmayacağını unutmayın:
int main() {
vector<Type*> bar;
Type foo;
bar.push_back(&foo);
}