vector如何遍历
时间: 2024-06-15 15:07:33 浏览: 143
在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中的元素并输出。第一种方法使用了下标访问,通过循环变量i来依次访问每个元素;第二种方法则直接将每个元素赋值给循环变量num,无需使用下标。
相关问题
vector遍历元素
你可以使用迭代器来遍历vector中的元素。以下是一个示例代码:
```c++
#include <iostream>
#include <vector>
int main() {
std::vector<int> vec = {1, 2, 3, 4, 5};
// 使用迭代器遍历vector中的元素
for (auto it = vec.begin(); it != vec.end(); ++it) {
std::cout << *it << " ";
}
std::cout << std::endl;
return 0;
}
```
输出结果为:
```
1 2 3 4 5
```
在上面的代码中,我们使用`vec.begin()`和`vec.end()`函数来获取迭代器的起始和结束位置,然后使用`for`循环遍历整个vector,输出每个元素的值。`*it`表示迭代器指向的元素的值。
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,并输出其元素。
阅读全文