STL列表迭代器不会更新我的对象

时间:2013-12-24 23:09:27

标签: c++ stl iterator

我使用list iterator将Pets的所有年龄设置为1,但更改不会在for循环之外持续:

#include <iostream>
#include <stdio.h>
#include <list>

using namespace std;

class Pet{
  public:
  int age;
};

class Person{
  public:
  list<Pet> pets;
};


int main(int argc, char **argv) {
  Person bob;
  Pet p1;
  p1.age = 0;
  bob.pets.push_back(p1);

  cout << "Start with: "<<p1.age << endl;

  std::list<Pet>::iterator itPet;
  for (itPet = bob.pets.begin(); itPet != bob.pets.end(); ++itPet) {
    Pet p = (*itPet);
    p.age = 1;
    cout << "Right after setting to 1: "<<p.age << endl;
  }

  cout << "After the for loop: "<<p1.age << endl;
  return 0;
}

输出:

Start with: 0
Right after setting to 1: 1
After the for loop: 0

为什么p1没有更新?如果不是p1,还有什么更新?

谢谢!

1 个答案:

答案 0 :(得分:8)

您只需修改副本:声明

Pet p = (*itPet);

*itPet的值复制到p,然后更新。您可以使用以下代码验证迭代器使用的对象:

p.age = 1;
cout << "Right after setting to 1: p.age="<<p.age << " itPet->age=" << itPet->age << '\n';

您想给我们一个参考:

Pet& p = *itPet;

您用来验证列表中的对象是否已更改的方法也不起作用,但是:标准C ++库容器会复制插入的对象,并且不会保留对原始对象的引用。也就是说,p1不会被更改,但列表中的元素会被更改:

for (std::list<Pet>::const_iterator it(bob.pets.begin()), end(bob.pets.end());
     it != end; ++it) {
    std::cout << "list after change: " << it->age << '\n';
}