c++ for循环简单写法
时间: 2023-07-01 22:24:19 浏览: 157
C++中的for循环有多种写法,其中一种简单写法是使用范围for循环,例如:
```cpp
#include <iostream>
#include <vector>
int main() {
std::vector<int> nums = {1, 2, 3, 4, 5};
for (int num : nums) {
std::cout << num << " ";
}
return 0;
}
```
这段代码将遍历nums中的每个元素,并输出到控制台上。输出结果为:1 2 3 4 5。
另外一种简单写法是使用标准库的算法函数和lambda表达式,例如:
```cpp
#include <iostream>
#include <vector>
#include <algorithm>
int main() {
std::vector<int> nums = {1, 2, 3, 4, 5};
std::for_each(nums.begin(), nums.end(), [](int num) {
std::cout << num << " ";
});
return 0;
}
```
这段代码也将遍历nums中的每个元素,并输出到控制台上。输出结果同样为:1 2 3 4 5。
相关问题
c++中的for循环有哪些写法
在 C++ 中,`for` 循环有三种常见的写法,它们分别适用于不同的情况:
1. **基础形式** (经典 for 循环):
```cpp
for(initialization; condition; increment/decrement) {
// 循环体代码
}
```
这种形式初始化一个表达式(通常用于设置计数器),然后检查条件是否为真,如果真则执行循环体,并在每次迭代后更新计数器。
2. **增强形式** (带范围变量的 for 循环):
当你知道循环次数时,可以使用数组、vector 或其他序列容器,如:
```cpp
for(auto& element : container) {
// 循环体代码,element 会依次取container中的元素
}
```
这里 `auto&` 表示引用,可以直接修改容器内的元素。
3. **无限循环** (while 循环配合 break):
如果需要先完成某个条件后再进入循环,可以使用 while 循环结合 break 退出:
```cpp
while(condition) {
// 循环体代码
if(some_condition) {
break;
}
}
```
这里 `condition` 可能是一个持续性的判断,当满足某个条件时跳出循环。
for循环遍历数组的写法
for 循环遍历数组的写法一般有两种:
1. 普通的 for 循环
```c++
int arr[] = {1, 2, 3, 4, 5};
int len = 5; // 数组长度
for (int i = 0; i < len; i++) {
cout << arr[i] << endl;
}
```
2. C++11 新增的 for-each 循环(也称为 range-based for 循环)
```c++
int arr[] = {1, 2, 3, 4, 5};
for (int x : arr) {
cout << x << endl;
}
```
这种写法不需要知道数组长度,也不需要使用下标访问元素,代码更加简洁易读。
阅读全文