C++ 程序没有进入 "for" 循环

C++ Program is not entering "for" loop

我正在编写一个程序来查找一行中包含多少个字谜以供家庭作业使用,但我遇到了问题。我的程序没有进入简单​​的“for”循环。我整个晚上都在看书,但我不明白问题出在哪里。我已经放置了 7 个控制 cout-s 来查看它究竟进入哪里,哪里不进入。结果是 - 1, 2, 3 ,7 - 甚至没有进入“for”循环。可能是什么问题呢?这是我的代码:

#include<iostream>
#include<string>
#include <sstream>
#include<vector>
#include <algorithm>
using namespace std;
bool isAnagram(string x, string y)
{
    vector<char>v;
    int szX = x.size(), szY = y.size();
    for (int i = 0; i < szX; i++)
    {
        if (!(find(v.begin(), v.end(), x[i]) != v.end()))
        {
            v.push_back(x[i]);
        }
    }
    for (int j = 0; j < szY; j++)
    {
        if (!(find(v.begin(), v.end(), y[j]) != v.end()))
        {
            return false;
        }
    }
    return true;
}

void breakStringToWords(string str, vector<string> w)
{
    istringstream ss(str);
    string word;
    while (ss >> word)
    {
        w.push_back(word);
    } 
}

int main()
{ 
    string x;
    vector<string>v;
    int cnt=0,sz;
    while(getline(cin, x))
    {
        if(x=="")
        {
            return 0;
        }
        cout<<1<<endl;
        breakStringToWords(x, v);
        cout<<2<<endl;
        sz=v.size();
        cout<<3<<endl;
        for(int i=0; i<sz; i++)
        {
            cout<<4<<endl;
            if (isAnagram(v[i - 1], v[i]))
            {
                cout<<5<<endl;
                cnt++;
            }
            cout<<6<<endl;
        }
        cout<<7<<endl;
        cout<<cnt<<endl;
    }
    return 0;
}

提前致谢!

这是一个错误:

void breakStringToWords(string str, vector<string> w)

您正在按值传递 w,这意味着 breakStringToWords 函数正在使用临时向量。一旦该函数 returns、w 不再存在。

您应该按引用传递,而不是按值传递: void breakStringToWords(string str, vector<string>& w) // Note the &

这和做这样的事情没有什么不同:

#include <iostream>
void foo(int x)
{
  x = 10;
}

int main()
{
  int x = 0;
  foo(x);
  std::cout << x; // x is still 0, not 10
}

同样的问题,同样的解决方案——通过引用。

回复:

It entered the loop and threw another exception

当 i 为 0 时,您正在访问 v[-1]:

    for(int i=0; i<sz; i++)
    {
        cout<<4<<endl;
        if (isAnagram(v[i - 1], v[i]))