我需要一些帮助使函数将句子拆分为单词,并且此函数应适用于具有不同长度的句子。

这是示例代码:

void spilt_sentence(string sentence)
{}
int main()
{
   std::string sentence1= "Hello everyone";
   std::string sentence2= "Hello I am doing stuff";
   split_sentence(sentence1);
   split_sentence(sentence2);
   return 0;
}

我看到有人使用std::istringstream在每个空格之前获取每个单词,但我真的不知道它是如何工作的。当我输入std::istringstream ss(sentence);时,它给我错误。在代码中。另外,我正在使用c++ 98,并使用cygwin编译程序。有线索吗?谢谢。

编辑:该函数将创建多个变量,具体取决于句子中有多少个单词。

编辑:我实际上是在一个LinkedList程序上工作,我在这里想要做的是将句子拆分成单词,然后生成包含每个单词的新节点。

这是实际的代码(请注意:我对它进行了一些修改,因此它与我的实际代码并不完全相同。另外,我没有在Node上使用struct),假设句子1是“大家好”,句子2是“你好”我在做东西”。
The expected output will be:
linkedlist1:
"hello"<->"everyone"
linkedlist2:
"hello"<->"I"<->"am"<->"doing"<->"stuff"

在LinkedList.cpp中:
void LinkedList::add(std::string sentence)
{
   //breaks down the sentence into words
   std::istringstream ss(sentence);
   do
   {
       std::string word;
       ss >> word;

       //store them in nodes in a linkedlist
       Node* new_tail = new Node(word);
       if (size == 0)
       {
           head = new_tail;
           tail = new_tail;
       }
       else
       {
           new_tail->set_previous(tail);
           tail->set_next(new_tail);
           tail = new_tail;
       }
       new_tail = NULL;
       size++;

   }
   while(ss);
}

[FIXED]我编译时会弹出错误消息,提示std::istringstream ss具有默认设置,但类型不完整。我该怎么办?

error

最佳答案

这是使用流的函数,该函数仅适用于 vector ,您不能将此函数用于数组,但是如果需要,可以为您修改它。
这是代码和用法示例

#include <string>
#include <sstream>
#include <algorithm>
#include <iterator>
#include <iostream>
using namespace std;

void split_sentence(const string& str, vector<string>& cont)
{
    istringstream iss(str);
    copy(istream_iterator<string>(iss),
         istream_iterator<string>(),
         back_inserter(cont));


     //checking for punctuation marks and if found, we remove them from the word
     for(int i = 0, sz = cont.size(); i < sz; i++){
        string word = cont.at(i);
        for(int j = 0, len = word.length(); j < len; j++){
            if(ispunct(word[j])){
                cont.at(i) = word.substr(0, word.length() - 1);
            }
        }
     }
}

int main(){

    string sentence = "this is a test sentence for stackoverflow!";
    vector<string> words;

    split_sentence(sentence, words);

    for(int i = 0, sz = words.size(); i < sz; i++){
        cout<<words.at(i) << endl;
    }

    return 0;

}

这是输出
this
is
a
test
sentence
for
stackoverflow

如果您还想打印标点符号,请删除功能中的double for loop。

关于c++ - 如何将任意长度的句子拆分为单词并将其存储到变量中,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/60878821/

10-13 08:34