10

我想为我正在编写的一个简单程序打印出一个列表的内容。我正在使用内置列表库

#include <list>

但是,我不知道如何打印此列表的内容以测试/检查其中的数据。我该怎么做呢?

4

5 回答 5

24

如果你有一个最近的编译器(一个至少包含一些 C++11 特性的编译器),如果你愿意,你可以避免(直接)处理迭代器。对于像ints 这样的“小”事物的列表,您可以执行以下操作:

#include <list>
#include <iostream>

int main() {
    list<int>  mylist = {0, 1, 2, 3, 4};

    for (auto v : mylist)
        std::cout << v << "\n";
}

如果列表中的项目较大(特别是大到您希望避免复制它们),您可能希望使用引用而不是循环中的值:

    for (auto const &v : mylist)
        std::cout << v << "\n";
于 2013-04-26T06:35:06.030 回答
9

尝试:

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

int main()
{
    list<int>  l = {1,2,3,4};

    // std::copy copies items using iterators.
    //     The first two define the source iterators [begin,end). In this case from the list.
    //     The last iterator defines the destination where the data will be copied too
    std::copy(std::begin(l), std::end(l),

           // In this case the destination iterator is a fancy output iterator
           // It treats a stream (in this case std::cout) as a place it can put values
           // So you effectively copy stuff to the output stream.
              std::ostream_iterator<int>(std::cout, " "));
}
于 2013-04-26T06:15:56.720 回答
3

例如,对于一个 int 列表

list<int> lst = ...;
for (list<int>::iterator i = lst.begin(); i != lst.end(); ++i)
    cout << *i << endl;

如果您正在使用列表,您最好很快习惯迭代器。

于 2013-04-26T06:04:41.157 回答
2

您使用迭代器。

for(list<type>::iterator iter = list.begin(); iter != list.end(); iter++){
   cout<<*iter<<endl;
}
于 2013-04-26T06:04:15.903 回答
1

您可以为此使用迭代器和一个小循环for。由于您只是输出列表中的值,因此您应该使用const_iterator而不是iterator防止意外修改迭代器引用的对象。

这是一个如何迭代作为'svar列表的变量的示例int

for (list<int>::const_iterator it = var.begin(); it != var.end(); ++it)
    cout << *it << endl;
于 2013-04-26T06:06:38.227 回答