Предполагая реализацию, которая на самом деле имеет стек и кучу (стандарт C ++ не требует таких вещей), единственное верное утверждение - последнее.
vector<Type> vect;
//allocates vect on stack and each of the Type (using std::allocator) also will be on the stack
Это верно, за исключением последней части ( Type
не будет в стеке). Представить:
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);
}
Точно так же:
vector<Type> *vect = new vector<Type>; //allocates vect on heap and each of the Type will be allocated on stack
True, за исключением последней части, с аналогичным контрпримером:
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);
}
Для:
vector<Type*> vect; //vect will be on stack and Type* will be on heap.
это правда, но обратите внимание, что Type*
указатели будут в куче, но Type
экземпляры, на которые они указывают, не обязательно должны быть:
int main() {
vector<Type*> bar;
Type foo;
bar.push_back(&foo);
}