Zakładając implementację, która faktycznie ma stos i stertę (standardowy C ++ nie wymaga posiadania takich rzeczy), jedyną prawdziwą instrukcją jest ostatnia.
vector<Type> vect;
//allocates vect on stack and each of the Type (using std::allocator) also will be on the stack
To prawda, z wyjątkiem ostatniej części ( Type
nie będzie na stosie). Wyobrażać sobie:
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);
}
Również:
vector<Type> *vect = new vector<Type>; //allocates vect on heap and each of the Type will be allocated on stack
Prawda z wyjątkiem ostatniej części, z podobnym przykładem licznika:
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);
}
Dla:
vector<Type*> vect; //vect will be on stack and Type* will be on heap.
to prawda, ale zauważ, że Type*
wskaźniki będą na stercie, ale Type
instancje, które wskazują, nie muszą być:
int main() {
vector<Type*> bar;
Type foo;
bar.push_back(&foo);
}