c++用string创建一个二维动态数组
时间: 2023-10-23 20:12:16 浏览: 160
可以使用vector<vector<string>>来创建一个二维动态数组。以下是示例代码:
vector<vector<string>> arr;
int row = 5, col = 3;
arr.resize(row, vector<string>(col));
for(int i=0; i<row; i++) {
for(int j=0; j<col; j++) {
arr[i][j] = "hello";
cout << arr[i][j] << " ";
}
cout << endl;
}
输出结果:
hello hello hello
hello hello hello
hello hello hello
hello hello hello
hello hello hello
希望可以帮助到你!还有什么其它问题吗?
相关问题
C++ string 二维动态数组
在C++中,可以使用动态数组来创建二维字符串数组。下面是一个示例代码:
```cpp
#include <iostream>
#include <string>
int main() {
int rows, cols;
std::cout << "Enter the number of rows: ";
std::cin >> rows;
std::cout << "Enter the number of columns: ";
std::cin >> cols;
// 动态分配内存并创建二维字符串数组
std::string** dynamicArray = new std::string*[rows];
for (int i = 0; i < rows; i++) {
dynamicArray[i] = new std::string[cols];
}
// 通过循环给二维数组赋值
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
std::cout << "Enter element [" << i << "][" << j << "]: ";
std::cin >> dynamicArray[i][j];
}
}
// 打印二维数组中的字符串
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
std::cout << dynamicArray[i][j] << " ";
}
std::cout << std::endl;
}
// 释放动态分配的内存
for (int i = 0; i < rows; i++) {
delete[] dynamicArray[i];
}
delete[] dynamicArray;
return 0;
}
```
在上面的示例中,我们首先从用户处获取二维数组的行数和列数。然后,我们使用`new`操作符动态分配内存,并创建一个大小为`rows`行`cols`列的二维字符串数组。接下来,通过嵌套循环,我们让用户输入每个元素的值。最后,我们打印二维数组中的字符串。
请注意,在使用动态数组后,必须使用嵌套的`delete[]`操作符来释放内存,以避免内存泄漏。
希望这对你有帮助!如果还有其他问题,请随时提问。
c++用vector创建二维string类型的数组
在C++中,你可以使用`std::vector<std::vector<std::string>>`来创建二维字符串数组。这个结构是一个向量容器嵌套另一个向量容器,外层向量表示行,内层向量表示列,每个元素都是一个字符串。下面是一个简单的例子:
```cpp
#include <iostream>
#include <vector>
int main() {
// 创建一个3x4的二维字符串数组
std::vector<std::vector<std::string>> strMatrix(3, std::vector<std::string>(4));
// 初始化二维数组
for (int i = 0; i < 3; ++i) {
for (int j = 0; j < 4; ++j) {
strMatrix[i][j] = "Element_" + std::to_string(i) + "_" + std::to_string(j);
}
}
// 打印数组
for (const auto& row : strMatrix) {
for (const auto& element : row) {
std::cout << element << " ";
}
std::cout << "\n";
}
return 0;
}
```
在这个例子中,我们首先创建了一个3行4列的空数组,然后通过两个嵌套循环填充了相应的字符串。
阅读全文