我正在尝试反转字符串中的单词。

例,
输入:因为xsd bf将导致输出:sa dsx fb。

我的问题是最后一句话不会倒转。

例如,输入:因为xsd bf将导致输出:sa dsx bf。如您所见,bf不会反转。

我的代码

#include<iostream>
#include<string>
using namespace std;

void RevWords(string inp);


int main()
{
     string input;

     cout<<"Enter Sring:"<<endl;
     getline(cin,input);
     cout<<"Entered String:"<<input<<endl;
     RevWords(input);

     return 0;
}

void RevWords(string inp)
{
   int wordEnd=0,indexS=0,indexE=0;
   string newStr;
   newStr=inp;

   while(wordEnd<inp.length())
   {
       if(inp[wordEnd] != ' ')
      {
         wordEnd++;
      }
      else
      {
         if(inp[wordEnd] == ' ' || inp[wordEnd] == '\0')
         {
             indexE=wordEnd-1;
             while(indexS<wordEnd)
             {
                newStr[indexS]=inp[indexE];
                indexS++;
                indexE--;
             }
             newStr[indexS]=' ';
             indexS++;
         }
         wordEnd++;
       }
   }
   cout<<newStr<<endl;
}

最佳答案

您不会处理最后一个字,因为您在到达那里之前就停了下来:

while(wordEnd<inp.length()) { // When you finally get to the last letter. You will
                              // exit on the next loop iteration.
   if(inp[wordEnd] != ' ')


您需要将其更改为:

 while(wordEnd<=inp.length()) {
   if(wordEnd < inp.length() && inp[wordEnd] != ' ') {
        //^ This is important so you dont go out of bounds on your string


Here is a live example.

10-07 20:44