1. ホーム
  2. c++

[解決済み] デバッグエラー -Abort() Has Been Called

2022-02-10 23:32:42

質問

ある数字nを入力し、n以上の最小の超幸運数を求めようとしています。 スーパーラッキーとは、10進数表現で4桁と7桁が同数であること。例えば、47, 7744, 474477はスーパーラッキーであり、4, 744, 467はスーパーラッキーではありません。

以下は私のコードです。

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

     void superLucky(int n,string s, int count4, int count7)
     {
        if (s.size() > 10)
          return;
        if (( stoi(s) >= n ) && (count4 == count7) && (count4+count7)!=0)
        {
             cout << s << endl;
             return;
        }

        superLucky(n, s + '4', count4+1, count7);
        superLucky(n, s + '7',count4,count7+1);
     }

     int main()
     {
        int n;
        cin >> n;
        superLucky(n, "", 0, 0);
        return 0;
     } 

整数を入力すると、デバッグエラーR6010 - abort()が呼び出されましたと表示されます。これは何を意味するのでしょうか、そしてどうすればこれを解決できるのでしょうか?

解決方法を教えてください。

いくつか問題があります。

  1. を呼び出すと superLucky から main , s は空です。 stoi(s) は例外を投げます。 s が空である場合。

  2. チェックの様子 s.size() > 10 は堅牢ではありません。プラットフォームに依存しています。あなたは try/catch ブロックを使って、サイズをハードコーディングする代わりに対処します。

以下は、この関数をより堅牢にしたものです。

void superLucky(int n,string s, int count4, int count7)
{
   int d = 0;
   if ( s.size() > 0 )
   {
      try
      {
         d = stoi(s);
      }
      catch (...)
      {
         return;
      }

      if (( d >= n ) && (count4 == count7) && (count4+count7)!=0)
      {
         cout << s << endl;
         return;
      }
   }

   superLucky(n, s + '7',count4,count7+1);
   superLucky(n, s + '4', count4+1, count7);
}