C++中vector遍历
时间: 2024-06-16 22:03:29 浏览: 114
在C++中,vector是一种动态数组,可以存储不同类型的元素。遍历vector可以使用循环结构,如for循环或者范围-based for循环。
以下是两种常见的vector遍历方式:
1. 使用for循环:
```cpp
#include <iostream>
#include <vector>
int main() {
std::vector<int> vec = {1, 2, 3, 4, 5};
// 使用for循环遍历vector
for (int i = 0; i < vec.size(); i++) {
std::cout << vec[i] << " ";
}
return 0;
}
```
2. 使用范围-based for循环(C++11及以上版本支持):
```cpp
#include <iostream>
#include <vector>
int main() {
std::vector<int> vec = {1, 2, 3, 4, 5};
// 使用范围-based for循环遍历vector
for (int num : vec) {
std::cout << num << " ";
}
return 0;
}
```
这两种方式都可以遍历vector中的元素,并输出它们的值。需要注意的是,使用for循环时,需要使用vec.size()来获取vector的大小作为循环条件。
相关问题
c++:vector遍历
vector可以通过迭代器进行遍历,具体方式如下:
```c++
#include <vector>
#include <iostream>
int main() {
std::vector<int> vec = {1, 2, 3, 4, 5};
// 通过迭代器遍历
for (auto it = vec.begin(); it != vec.end(); ++it) {
std::cout << *it << " ";
}
std::cout << std::endl;
// 使用范围for循环遍历
for (auto i : vec) {
std::cout << i << " ";
}
std::cout << std::endl;
return 0;
}
```
输出:
```
1 2 3 4 5
1 2 3 4 5
```
c++ vector遍历
C++ 中的 vector 可以使用迭代器或者范围 for 循环进行遍历。
使用迭代器遍历:
```c++
#include <iostream>
#include <vector>
int main() {
std::vector<int> vec {1, 2, 3, 4, 5};
for (auto it = vec.begin(); it != vec.end(); ++it) {
std::cout << *it << " ";
}
return 0;
}
```
使用范围 for 循环遍历:
```c++
#include <iostream>
#include <vector>
int main() {
std::vector<int> vec {1, 2, 3, 4, 5};
for (const auto& elem : vec) {
std::cout << elem << " ";
}
return 0;
}
```
以上两种方法都可以遍历 vector,并输出其元素。
阅读全文