En supposant une mise en œuvre qui est en fait une pile et un segment (C++ standard de fait, ne nécessite pas de telles choses) la seule vraie déclaration est le dernier.
vector<Type> vect;
//allocates vect on stack and each of the Type (using std::allocator) also will be on the stack
C'est vrai, sauf pour la dernière partie (Type
ne sera pas sur la pile). Imaginez:
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);
}
De la même manière:
vector<Type> *vect = new vector<Type>; //allocates vect on heap and each of the Type will be allocated on stack
Vrai, sauf la dernière partie, avec un semblable contre-exemple:
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);
}
Pour:
vector<Type*> vect; //vect will be on stack and Type* will be on heap.
c'est vrai, mais à noter ici que l' Type*
des pointeurs seront sur le tas, mais l' Type
des cas ils ont point besoin de ne pas être:
int main() {
vector<Type*> bar;
Type foo;
bar.push_back(&foo);
}