距离基本用法
#include
using namespace std;
int main()
{
//随机定义的数组
int array[10] = { 54, 23, 78, 9, 15, 18, 63, 33, 87, 66 };
for (int i = 0; i < 10; i++) {
cout << array[i] << " "; //输出:54 23 78 9 15 18 63 33 87 66
return 0;
}
在C++11中,我们可以在for循环中填加冒号:来简化这个过程
1、拷贝range的元素时,使用for(auto x : range).
2、修改range的元素时,使用for(auto && x : range).
3、只读range的元素时,使用for(const auto & x : range).
举例说明:
#include
using namespace std;
int main()
{
//随机定义的数组
int array[10] = { 54, 23, 78, 9, 15, 18, 63, 33, 87, 66 };
for (auto a : array) {
cout << a << " "; //输出:54 23 78 9 15 18 63 33 87 66
return 0;
}
注意:如果传入的迭代参数类型为非引用时,做的是值拷贝,因此修改数据是无效的。
#include
using namespace std;
int main() {
//随机定义的数组
int array[10] = { 54, 23, 78, 9, 15, 18, 63, 33, 87, 66 };
for (auto a : array) {
cout << a << " "; //输出:54 23 78 9 15 18 63 33 87 66
}
cout << endl;
for (auto a : array) {
a++; //改变后原数组中的数值不变
}
for (auto a : array) {
cout << a << " "; //输出:54 23 78 9 15 18 63 33 87 66(数值不变)
}
system("pause");
return 0;
}
但是,如果传递的是引用,则可以改变原数组的值。
#include
using namespace std;
int main() {
//随机定义的数组
int array[10] = { 54, 23, 78, 9, 15, 18, 63, 33, 87, 66 };
for (auto a : array) {
cout << a << " "; //输出:54 23 78 9 15 18 63 33 87 66
}
cout << endl;
for (auto &a : array) { //传递了引用,因此改变数组中的值会有效果
a++;
}
for (auto a : array) {
cout << a << " "; //输出:55 24 79 10 16 19 64 34 88 67(数值+1)
}
system("pause");
return 0;
}
基本遍历数组和容器
#include
#include
using namespace std;
int main() {
char arc[] = "http://c.biancheng.net/cplus/11/";
//for循环遍历普通数组
for (char ch : arc) {
cout << ch;
}
cout << '!' << endl;
vectormyvector(arc, arc + 23);
//for循环遍历 vector 容器
for (auto ch : myvector) {
cout << ch;
}
cout << '!';
return 0;
}
用 C++ 11 标准中的 for 循环遍历实例一定义的 arc 数组和 myvector 容器
#include
#include
using namespace std;
int main() {
char arc[] = "http://c.biancheng.net/cplus/11/";
//for循环遍历普通数组
for (char ch : arc) {
cout << ch;
}
cout << '!' << endl;
vectormyvector(arc, arc + 23);
//for循环遍历 vector 容器
for (auto ch : myvector) {
cout << ch;
}
cout << '!';
return 0;
}
新语法格式的 for 循环还支持遍历用{ }
大括号初始化的列表
#include
using namespace std;
int main() {
for (int num : {1, 2, 3, 4, 5}) {
cout << num << " ";
}
return 0;
}
另外值得一提的是,在使用新语法格式的 for 循环遍历某个序列时,如果需要遍历的同时修改序列中元素的值,实现方案是在 declaration 参数处定义引用形式的变量。举个例子:
#include
#include
using namespace std;
int main() {
char arc[] = "abcde";
vectormyvector(arc, arc + 5);
//for循环遍历并修改容器中各个字符的值
for (auto &ch : myvector) {
ch++;
}
//for循环遍历输出容器中各个字符
for (auto ch : myvector) {
cout << ch;
}
return 0;
}
C++11 for循环使用注意事项
- 首先需要明确的一点是,当使用 for 循环遍历某个序列时,无论该序列是普通数组、容器还是用
{ }
大括号包裹的初始化列表,遍历序列的变量都表示的是当前序列中的各个元素。
举个例子:
#include
#include
using namespace std;
int main() {
//for循环遍历初始化列表
for (int ch : {1,2,3,4,5}) {
cout << ch;
}
cout << endl;
//for循环遍历普通数组
char arc[] = "http://c.biancheng.net/cplus/11/";
for (char ch : arc) {
cout << ch;
}
cout << endl;
//for循环遍历 vector 容器
vectormyvector(arc, arc + 23);
for (auto ch : myvector) {
cout << ch;
}
return 0;
}
欢迎分享,转载请注明来源:内存溢出
评论列表(0条)