Suponiendo una implementación que realmente tiene una pila y un montón (C ++ estándar no requiere tener tales cosas), la única declaración verdadera es la última.
vector<Type> vect;
//allocates vect on stack and each of the Type (using std::allocator) also will be on the stack
Esto es cierto, excepto por la última parte ( Type
no estará en la pila). Imagina:
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);
}
Igualmente:
vector<Type> *vect = new vector<Type>; //allocates vect on heap and each of the Type will be allocated on stack
Verdadero, excepto la última parte, con un ejemplo de contador similar:
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);
}
Por:
vector<Type*> vect; //vect will be on stack and Type* will be on heap.
Esto es cierto, pero tenga en cuenta aquí que los Type*
punteros estarán en el montón, pero las Type
instancias que señalan no necesitan ser:
int main() {
vector<Type*> bar;
Type foo;
bar.push_back(&foo);
}