c++字符串分割处理代码,要求输入英文句子“This is a string”并存入数组
时间: 2024-03-05 17:52:23 浏览: 74
好的,以下是一个简单的 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` 数组,将分割出来的每个单词输出到控制台中。
阅读全文