4

考虑以下代码:

#include <vector>
using namespace std;

struct foo
{
  void bar()
  {
  }
};

int main()
{
  {
    vector<foo*> a;
    a.push_back(new foo());
    a.push_back(new foo());
    a.push_back(new foo());

    vector<foo*>::const_iterator itr = a.begin();
    (*itr)->bar(); // compiles - this becomes more confusing 
                   // when found in a const method. On first 
                   // glance, one will (or at least me) may
                   // assume that bar() must be const if the 
                   // method where it is being called from is 
                   // const

    // The above compiles because internally, this is what happens 
    // (ignore the fact that the pointer has not been newd)
    foo* const * element;
    (*element)->bar(); // compiles

    // What I would expect however (maybe it is just me) is for const_iterator
    // to  behave something like this
    const foo* const_element;
    const_element->bar(); // compile error
  }

  {
    vector<foo> a;
    a.resize(10);

    vector<foo>::const_iterator itr = a.begin();
    itr->bar(); // compile error
  }

}

我明白为什么可以调用它。像这样const_iterator存储 const-ness:const T*指针转换foo* const *为对象并转换为对象foo const *

所以我的问题是,为什么我们可以从 a 调用非常量成员函数const_iterator?不允许从 a 调用非常量成员函数不是更直观const_iterator吗?带有 const 选项的 s 设计不应该iterator阻止这种行为吗?

现在更重要的问题是:如果我想const_iterator禁止调用指向对象的非常量成员函数怎么办?

4

3 回答 3

5

带有 const 选项的迭代器设计不应该阻止这种行为吗?

确实如此。你只是期望它是一个不同的操作。

正如您所发现的,指针容器...包含指针,而不是对象。因此,const_iterator指向此类指针意味着指针是常量,而不是它们指向的对象。

这不会改变,也不应该改变。标准库容器通常设计为包含成熟的对象,而不是指针。所以他们不应该鼓励用户使用vector指针和其他可疑的结构。

如果你真的需要一个vector包含指针的容器,那么你应该使用一个实际设计的容器。像Boost 的指针容器类。他们const_iterators使const正确指向的对象。他们还做其他有用的事情,比如拥有他们指向的对象(以便正确删除它们)等等。

于 2012-06-09T23:11:23.853 回答
2

你有一个指针向量,指针没有成员函数,所以你没有在存储在向量中的东西上调用成员函数。

取消引用指针时获得的对象类型取决于该指针的类型。您的向量是非常量指针的向量,因此当您从容器中取消引用任何指针时,您始终会获得对指向对象的非常量引用。

如果你想要一个指针向量,那么你有两个选择。您可以改为创建一个vector<const foo*>,并且您将永远无法检索对任何指向对象的指针的非常量引用,或者,如果您需要能够从向量的非常量实例获取非常量引用,则必须创建一个对象,它包含作为私有成员变量的向量,并通过传递接口为您提供所需的访问权限。

如果您的向量应该拥有它持有指向您的指针的对象,则可以考虑简单vector<foo>,或者,如果需要动态分配,则使用boost::ptr_vector<foo>.

于 2012-06-09T23:12:35.537 回答
1

所以我的问题是,为什么我们可以从 const_iterator 调用非常量成员函数?

“常量迭代器”意味着容器元素是常量。这并不意味着如果该元素是指针,则指向的对象也是常量。

如果我希望 const_iterator 禁止调用指向对象的非 const 成员函数怎么办?

我不想鼓励你使用像这样的原始指针,但如果你真的需要,让它成为一个指向 const 对象的指针的容器。

std::vector<const foo*> a;
// ...
auto itr = a.cbegin();
(*itr)->bar(); // Compiler error (calling a non-const method on const object).

当然,在这种情况下,以下内容也将被禁止:

std::vector<const foo*> a;
// ...
auto itr = a.begin();
(*itr)->bar(); // Compiler error.
于 2012-06-09T23:29:33.340 回答