Reputation: 1768
I created a vector of pointers
vector<Person*> *personVec = new vector<Person*>();
Person contains:
getName();
getAge();
If I try to use the iterator it doesn't work.. Here is how I use it:
vector<Person>::iterator it;
for(it = personVec->begin() ;
it != personVec->end() ;
++it)
{
cout << it->getName() << endl;
}
I tried vector<Person*>::iterator it;
but no luck with that either.
Thanks.
Upvotes: 2
Views: 28371
Reputation: 2349
vector<Person*> *personVec = new vector<Person*>();
this is a pointer to a vector of person pointers
vector<Person>::iterator it;
for(it = personVec->begin() ; it != personVec->end() ; ++it)
{
cout << it->getName() << endl;
}
your iter is declare incorrectly you need an iter to a vector of person pointers
you have an iter to a vector of person s
vector<Person*>::iterator it;
for(it = personVec->begin() ; it != personVec->end() ; ++it)
{
cout << (*it)->getName() << endl;
}
http://www.cplusplus.com/reference/std/iterator/
and
http://www.cplusplus.com/reference/stl/vector/begin/
Upvotes: 4
Reputation: 9477
The iterator needs to be the same type as the container:
vector<Person>::iterator it;
should be:
vector<Person*>::iterator it;
Upvotes: 12