我想打印一份列表的内容,以便我编写一个简单的程序。我正在使用内置列表库
#include <list>
但是,我不知道如何打印出此列表的内容以测试/检查其中的数据。我该怎么做?
答案 0 :(得分:12)
如果你有一个最近的编译器(一个至少包含一些C ++ 11特性的编译器),你可以避免(如果你想)直接处理迭代器。对于像int
这样的“小”事物的列表,您可以执行以下操作:
#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";
答案 1 :(得分:6)
尝试:
#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, " "));
}
答案 2 :(得分:3)
例如,对于int
列表list<int> lst = ...;
for (list<int>::iterator i = lst.begin(); i != lst.end(); ++i)
cout << *i << endl;
如果你正在使用list,你最好很快习惯迭代器。
答案 3 :(得分:2)
您使用迭代器。
for(list<type>::iterator iter = list.begin(); iter != list.end(); iter++){
cout<<*iter<<endl;
}
答案 4 :(得分:1)
您可以使用迭代器和一个小for
循环。由于您只是输出列表中的值,因此应使用const_iterator
而不是iterator
来防止意外修改迭代器引用的对象。
以下是如何迭代变量var
的示例,该变量是int
的列表
for (list<int>::const_iterator it = var.begin(); it != var.end(); ++it)
cout << *it << endl;