2

我被这个难住了......编译器输出:

d:\data\personal\projects\test\test.cpp(42): 错误 C2105: '--' 需要左值

#include <iostream>
#include <algorithm>
#include <iterator>

class FOO
{
public:
    typedef int* iterator;
    typedef const int* const_iterator;

    class explicit_iterator : public std::iterator< std::bidirectional_iterator_tag, int >
    {
    public:
        explicit_iterator(int* ptr = nullptr) : m_ptr(ptr) {}
        bool operator ==(const explicit_iterator& rhs) const { return m_ptr == rhs.m_ptr; }
        bool operator !=(const explicit_iterator& rhs) const { return m_ptr != rhs.m_ptr; }

        reference operator *() const { return *m_ptr; }

        explicit_iterator& operator ++() { ++m_ptr; return *this; }
        explicit_iterator& operator --() { --m_ptr; return *this; }

    private:
        int* m_ptr;
    };

    FOO(int val = 0) { std::fill( begin(), end(), val ); }

    iterator begin() { return m_data; }
    iterator end() { return m_data + 10; }

    explicit_iterator begin2() { return explicit_iterator( begin() ); }
    explicit_iterator end2() { return explicit_iterator( end() ); }

private:
    int m_data[10];
};

int main (int, char *[])
{
    FOO foo;
    // This is the line that fails!  (Not this one, the one right below!!!)
    std::copy( foo.begin(), --foo.end(), std::ostream_iterator<int>( std::cout, "\n" ) ); // C2105

    // All these variants are good
    std::copy( foo.begin2(), --foo.end2(), std::ostream_iterator<int>( std::cout, "\n" ) ); // good
    std::copy( foo.begin(), foo.end() - 1, std::ostream_iterator<int>( std::cout, "\n" ) ); // good
    int* end = foo.end();
    std::copy( foo.begin(), --end, std::ostream_iterator<int>( std::cout, "\n" ) ); // good

    return 0;
}
4

3 回答 3

4

您不能预先递减右值或指针类型。该调用foo.end()返回一个右值int*,您不能对其进行预递增/预递减。

在这种情况下,下一次调用的工作--foo.end2()方式是预增量是成员函数,并且在语言中调用右值上的成员函数是合法的。语法等价于更明确的,这可能更容易理解:

foo.end2().operator--();
于 2013-10-31T20:07:52.370 回答
0

该声明无效。

std::copy( foo.begin(), --foo.end(), std::ostream_iterator( std::cout, "\n" ) ); // C2105

函数 foo.end() 返回一个临时对象,您不能为其应用运算符 --。

于 2013-10-31T20:10:39.673 回答
0

预减量的操作数必须是内置类型(如指针)的可修改左值。请参见 C++11 5.3.2“增量和减量”。

成员函数返回一个内置类型(指针),它是一个右值,而FOO::end()不是可修改的左值,因此不能在其上使用预减运算符。

FOO::end2()返回一个右值,但不是内置类型。因此可以调用重载的预减运算符。

最后,--end作用于可修改的左值。

于 2013-10-31T20:19:57.800 回答