如何用一个数组输入多个字符串。C++
时间: 2024-03-09 13:45:32 浏览: 114
在 C++ 中,可以使用字符串数组来输入多个字符串。以下是一种常见的方法:
```c++
#include <iostream>
#include <string>
using namespace std;
int main() {
const int MAX_SIZE = 100; // 定义数组最大长度
string arr[MAX_SIZE]; // 声明字符串数组
int n; // 字符串数量
cout << "请输入字符串数量:";
cin >> n;
cout << "请输入 " << n << " 个字符串:" << endl;
for (int i = 0; i < n; i++) {
cin >> arr[i]; // 输入字符串
}
cout << "您输入的字符串为:" << endl;
for (int i = 0; i < n; i++) {
cout << arr[i] << endl; // 输出字符串
}
return 0;
}
```
在上面的程序中,我们首先定义了一个字符串数组 `arr`,然后通过 `cin` 输入字符串数量 `n`,接着使用 `for` 循环逐个输入字符串,最后再使用 `for` 循环逐个输出字符串。需要注意的是,数组长度 `MAX_SIZE` 可以根据实际需求进行修改,但不能超过编译器规定的最大值。
相关问题
二维数组里面输入多个字符串
好的,我可以帮你解答这个问题。如果你想要在二维数组中输入多个字符串,可以使用以下代码:
```c++
#include <iostream>
#include <string>
using namespace std;
int main() {
const int ROWS = 3;
const int COLS = 5;
string strArr[ROWS][COLS];
// 用循环输入多个字符串到二维数组中
for (int i = 0; i < ROWS; i++) {
for (int j = 0; j < COLS; j++) {
cout << "请输入第" << i + 1 << "行第" << j + 1 << "列的字符串:";
cin >> strArr[i][j];
}
}
// 输出二维数组中的所有字符串
for (int i = 0; i < ROWS; i++) {
for (int j = 0; j < COLS; j++) {
cout << strArr[i][j] << " ";
}
cout << endl;
}
return 0;
}
```
这段代码定义了一个 3 行 5 列的二维字符串数组 `strArr`,然后用一个双重循环输入多个字符串到数组中,最后输出数组中的所有字符串。
希望这个回答能够帮到你!
同时定义多个字符串数组c++
在C++中,同时定义多个字符串数组通常意味着你需要声明一组具有相似数据类型的变量。下面是一个例子:
```cpp
#include <string>
using namespace std;
// 定义两个字符串数组
string array1[] = {"apple", "banana", "orange"};
string array2[] = {"grape", "watermelon", "kiwi"};
// 如果需要,你可以指定它们的长度
size_t len1 = sizeof(array1) / sizeof(array1[0]);
size_t len2 = sizeof(array2) / sizeof(array2[0]);
// 访问数组元素
cout << array1[0] << endl; // 输出 "apple"
cout << array2[1] << endl; // 输出 "watermelon"
// 注意,由于数组名本身就代表了地址,所以不需要单独声明数组的指针
// 如果要用指针,可以这样做:
string* ptrArray1 = array1;
string* ptrArray2 = array2;
// ...然后使用指针访问数组内容
```
阅读全文