那如果输出是vector的动态二维数组呢
时间: 2024-03-17 07:44:24 浏览: 59
动态二维数组
5星 · 资源好评率100%
在C++中,可以使用vector的vector实现动态二维数组。输出时,需要使用两个for循环遍历vector的每一个元素。类似这样:
```c++
#include <iostream>
#include <vector>
using namespace std;
int main() {
vector<vector<int>> vec {
{1, 2, 3},
{4, 5, 6},
{7, 8, 9}
};
// 输出vector的动态二维数组
for (int i = 0; i < vec.size(); i++) {
for (int j = 0; j < vec[i].size(); j++) {
cout << vec[i][j] << " ";
}
cout << endl;
}
return 0;
}
```
输出结果为:
```
1 2 3
4 5 6
7 8 9
```
其中,`vec.size()`函数获取vector中元素的个数,即二维数组的行数;`vec[i].size()`函数获取第i行元素的个数,即二维数组的列数。在遍历时,先遍历行,再遍历列,使用下标操作符`[]`访问二维数组中的元素。
阅读全文