如何迭代这个 C++ 向量?
vector<string> features = {"X1", "X2", "X3", "X4"};
尝试这个:
for(vector<string>::const_iterator i = features.begin(); i != features.end(); ++i) {
// process i
cout << *i << " "; // this will print all the contents of *features*
}
如果您使用的是 C++11,那么这也是合法的:
for(auto i : features) {
// process i
cout << i << " "; // this will print all the contents of *features*
}
如果编译,您正在使用的 C++11 允许以下内容:
for (string& feature : features) {
// do something with `feature`
}
如果您不想改变该功能,您也可以将其声明为string const&
(或只是string
,但这会导致不必要的副本)。