C++一个字符串按空格分割存入数组中
时间: 2024-03-22 18:42:12 浏览: 225
可以使用stringstream和getline函数来实现将一个字符串按空格分割存入数组中,示例代码如下:
```cpp
#include <iostream>
#include <sstream>
#include <vector>
using namespace std;
int main() {
string str = "hello world how are you";
vector<string> arr;
stringstream ss(str);
string token;
while (getline(ss, token, ' ')) {
arr.push_back(token);
}
for (int i = 0; i < arr.size(); i++) {
cout << arr[i] << endl;
}
return 0;
}
```
运行结果:
```
hello
world
how
are
you
```
相关问题
c++字符串分割处理代码,要求输入英文句子“This is a string”并存入数组
好的,以下是一个简单的 C++ 代码,用来将一个英文句子按照空格分割成多个单词,并存储到一个数组中:
```c++
#include <iostream>
#include <string>
#include <vector>
using namespace std;
int main() {
string sentence;
vector<string> words;
cout << "请输入一个英文句子:";
getline(cin, sentence);
// 使用 find 和 substr 函数分割字符串
size_t pos = 0;
while ((pos = sentence.find(" ")) != string::npos) {
string word = sentence.substr(0, pos);
words.push_back(word);
sentence.erase(0, pos + 1);
}
words.push_back(sentence);
// 输出分割结果
cout << "分割结果为:" << endl;
for (int i = 0; i < words.size(); i++) {
cout << words[i] << endl;
}
return 0;
}
```
代码中使用了 `string` 类型来表示输入的句子,使用 `vector<string>` 来存储分割出来的单词。首先使用 `getline` 函数从标准输入中读取句子,然后使用 `find` 和 `substr` 函数来分割字符串。具体来说,每次找到一个空格字符,就将当前位置之前的子串作为一个单词存储到 `words` 数组中,并将 `sentence` 字符串的起始位置更新为当前位置之后的位置。最后,将 `sentence` 中剩下的字符串作为最后一个单词存储到 `words` 数组中。
最后,我们可以遍历 `words` 数组,将分割出来的每个单词输出到控制台中。
从键盘读入一行字符串,以空格作为分隔符,将内容存入字符串数组中。 (
好的,让我来回答您的问题。您可以使用 C++ 的 getline() 函数从键盘读入一行字符串,并使用 stringstream 和 getline() 函数将其按照空格分隔符分割成多个字符串并存储到一个字符串数组中。下面是代码示例:
```c++
#include <iostream>
#include <string>
#include <sstream>
using namespace std;
int main() {
string input;
getline(cin, input); // 从键盘读入一行字符串
istringstream iss(input); // 创建一个字符串流
string str;
string str_arr[100]; // 存储字符串的数组
int i = 0;
while (iss >> str) { // 按照空格分隔符分割字符串
str_arr[i++] = str;
}
// 输出数组中的字符串
for (int j = 0; j < i; j++) {
cout << str_arr[j] << endl;
}
return 0;
}
```
注意:此示例只适用于以空格作为分隔符的情况。如果您需要使用其他分隔符,请相应地更改代码。
阅读全文