#include<iostream>
#include<list>
#include<string>
#include<iterator>
#include<algorithm>
using namespace std;
void print(const list<string> &l)
{
cout << "The list elements are : ";
copy(l.begin(), l.end(), ostream_iterator<string>(cout, " "));
cout << endl << endl;
}
int main()
{
list<string> l = { "blue","red","black","yellow","green","gold","silver","pink","orange","brown" };
print(l);
list<string>::iterator it;
system("pause");
return 0;
}
我必须创建一个包含10个单词的列表。我创建了它,并设置了打印功能。但是问题是,对于我的学校项目,我必须找到所有以'b'开头的单词,而下一个是我拥有查找长度为4个符号的所有单词(例如蓝色)。谢谢您的帮助!
std::copy
,您正在复制列表中的所有字符串-没有用于区分字符串的准则。您可能需要考虑使用一个合适的谓词而不是std::copy_if()
来确定std::copy_if()
。谓词应为与您的条件匹配的字符串返回std::copy()
。 例如:
true
它将复制第一个字符为void print(const std::list<std::string>& lst) { auto pred = [](const std::string& str) { if (str.empty() || str[0] != 'b' || str.length() != 4) return false; return true; }; std::copy_if(lst.begin(), lst.end(), std::ostream_iterator<std::string>(std::cout, " "), pred); }
且长度为四个字符的字符串。只有满足这些要求的字符串才会被复制到输出迭代器中,因此,将其流式传输到b
。或者,您可以简单地使用
std::cout
: