std :: ostream {aka std :: basic_ostream <char>}'std :: basic_ostream <char>&amp;&amp; </char> </char>的值

时间:2013-07-01 07:04:12

标签: c++ c++11 vector iterator

在这段代码中,我尝试将迭代器移动10个元素。

   #include <iostream>
    #include <string>
    #include <vector>
    int main()
    {
        using namespace std;
       vector<int> v(20);
       auto mid = v.begin() + 10;
        cout<<mid;


    }

运行此代码时,我收到标题中提到的错误。 我是初学者。我几乎在每个编写的程序中都遇到过这个错误。我哪里错了?

1 个答案:

答案 0 :(得分:3)

迭代器“指向”一个元素,你想要做的是:

cout << *mid;

你必须“取消引用”迭代器来打印它所指向的内容。试图直接打印它会给你提到的错误。

编辑:这是一个小小的演示:

#include <iostream>
#include <vector>

int main(int argc, char* argv[])
{
    std::vector<int> numbers;
    numbers.push_back(4);
    numbers.push_back(3);
    numbers.push_back(2);

    auto beg = numbers.begin();
    auto mid = numbers.begin() + 1;
    std::cout << *beg << std::endl;
    std::cout << (beg < mid) << std::endl;      // True because beg (index 0) points to an element earlier than mid (index 1)
    std::cout << (*beg < *mid) << std::endl;    // False because the element pointed-to by beg (4) is bigger than the one pointed-to by mid (3)

    return 0;
}

Output 第一行显示4,这是第一个元素的值!第二行显示1(所有非零值表示为true),最后一行显示0(零是唯一表示false的值)。