C++11新标准引入了一种更简单的for语句,这种语句可以遍历容器或其他序列的所有元素,范围for语句的语法形式是:
for(变量:序列)
语句块
变量:获取序列中的每个元素,最简单的即定义为auto,如果需要改写序列元素的值,则必须声明为引用类型。
序列,可以是用花括号括起来的初始值列表、数组或者vector或string或容器等类型的对象,这些类型的共同特点是拥有能返回迭代器的begin和end成员。
每次循环(迭代)变量都会重新获取序列的下一个元素的值,直到所有元素处理完毕,循环终止。
注:如果不修改序列的值,可以定义为auto 变量或者const auto &变量,
如果需要修改序列的值则必须定义为auto &变量,代码如下:
#include <iostream>
using namespace std;
int main()
{
int arr[] = { 1,2,3,4,5,6,7,8,9,10 };
for (auto &x : arr)//修改得用引用
x += 10;
for (const auto& x : arr)//常用
cout << x << " ";
cout << endl;
for (auto x : arr)//更适合内置的类型
cout << x << " ";
cout << endl;
return 0;
}
1.对于数组,代码如下:
#include <iostream>
using namespace std;
int main()
{
int arr[] = { 1,2,3,4,5,6,7,8,9,10 };
//范围for用在数组
for (const auto& x : arr)
cout << x << " ";
cout << endl;
return 0;
}
2.对于字符串string,代码如下:
#include <iostream>
using namespace std;
//范围for用于string
//将字符串的所有字母改为大写
int main()
{
string s;
cin >> s;
for (auto& x : s)
x = toupper(x);//大写函数
cout << s << endl;
return 0;
}
3.对于vector,代码如下:
#include <iostream>
#include <vector> //用vector要加相关头文件
using namespace std;
int main()
{
vector<int> v1 = { 1,2,3,4,5,6,7,8,9,10 };
//范围for对于vector的使用
for (const auto& x : v1)//不修改,加const
cout << x << " ";
cout << endl;
return 0;
}
当然,范围for也可以用于其它容器。