I’m trying to enter a number,n and get the least super lucky number that is more than or equal to n.
Super lucky: it’s decimal representation contains equal amount of digits 4 and 7. For example, numbers 47, 7744, 474477 are super lucky and 4, 744, 467 are not.
Here’s my code
#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;
}
Once I input some integer I get debug error R6010 — abort() has been called. What this means ? and how can I fix this ?
- Forum
- Beginners
- Debug Error abort() has been called
Debug Error abort() has been called
I tried debugging it when the error window came up by clicking continue and a breakpoint poped up at min = stoi(temp); which is in the Read Method. idk why though. Idk if this helps but i’m using a static library containing all the classes then linking it to main. but i see no errors
main.cpp
|
|
Album.cpp
|
|
Last edited on
a breakpoint poped up at min = stoi(temp); which is in the Read Method
Very good, so you know where the problem is.
You need to inspect with the debugger what value temp has.
If temp is not a valid int you need to find out how it got there.
So I didnt see anything that raised my suspicion but i saw that the int min wasnt never given a value. I’m still not sure if thats the problem but i set min and sec to 0 reran it and again it picked up a breaker but in a different location, now in the main.cpp cout << "Enter Choice: ";
and I just dont see whats wrong with that code.
Edit: nevermind its still at the min = stoi(temp);
Last edited on
So in the debugger i noticed my temp has No value at all. So i made temp equal 0 temp = '0';
right before the loop and it seems to got rid of the error but still the program isnt working properly
Ok, the next step is to find out why it didn’t have a value.
Probably sth. wrong with your read function.
Without knowing the file format it’s impossible to tell.
Topic archived. No new replies allowed.
- Remove From My Forums
-
Question
-
Hello im trying to use threads, but i cant stop the threads without getting the error: Abort() has been called.
using namespace std; void print1() { //while(true) cout << "Function 1" << endl; } void print2() { //while(true) cout << "Function 2" << endl; } int main(int argc, char argv[]) { //Creates Threads thread PrimaryThread(print1); thread SecondaryThread(print2); //Assigns the threas to pointers thread* pPrimeThread = &PrimaryThread; thread* pSecondaryThread = &PrimaryThread; LPDWORD pExitCode = 0; if(GetExitCodeThread(pPrimeThread,pExitCode) != 0) { ExitThread((DWORD)pExitCode); cout << "Thread Closed" << endl; if(CloseHandle(pPrimeThread)) { cout << "Handle closed" << endl; } } system("pause"); return 0; }
Answers
-
On 2/12/2013 3:36 AM, Farmek wrote:
But it still gives me a «Abort() has been called» when i try to exit the application.
You must call join() or detach() methods on thread object before that object is destroyed. If ~thread destructor is reached while the object is still attached to a thread of execution (in other words, while joinable() returns true), the destructor calls
terminate().
Igor Tandetnik
-
Marked as answer by
Tuesday, February 12, 2013 3:12 PM
-
Marked as answer by
Одной из самых распространенных ошибок в C++ является ошибка «abort has been called» (англ. «Прерывание вызвано»). Эта ошибка возникает при выполнении программы и является сигналом о том, что произошло что-то неожиданное.
Причины возникновения ошибки
Существует несколько причин, по которым может возникнуть ошибка «abort has been called»:
- Ошибка деления на ноль. Это может произойти, если программа попытается разделить число на ноль.
- Нарушение границ массива. Если программа попытается обратиться к элементу массива за его пределами, это приведет к ошибке.
- Неправильная работа с указателями. Если программа попытается обратиться к памяти, на которую указатель не ссылается, это может привести к ошибке.
- Нарушение привилегий доступа. Если программа попытается выполнить операцию, на которую у нее нет прав, это может привести к ошибке.
- Неправильное использование объектов. Если программа попытается использовать объект, который был удален или не был создан, это также может привести к ошибке.
Решение проблемы
Чтобы решить проблему ошибки «abort has been called», необходимо определить ее причину. Для этого можно использовать отладчик (debugger), который поможет выявить место, где происходит ошибка, и понять, что именно вызывает ее возникновение.
Если причина ошибки связана с делением на ноль или нарушением границ массива, необходимо убедиться, что программа корректно обрабатывает такие случаи и избегать их возникновения.
Если причина ошибки связана с неправильной работой с указателями или нарушением привилегий доступа, необходимо обратить внимание на то, как программа использует указатели и убедиться, что она имеет права на выполнение операций, которые она пытается выполнить.
Если причина ошибки связана с неправильным использованием объектов, необходимо убедиться, что объект создан и не удален до того момента, пока программа не закончит его использование.
Заключение
Ошибка «abort has been called» является частой проблемой в C++. Для ее решения необходимо определить ее причину и исправить соответствующий код программы. Использование отладчика может помочь выявить место, где происходит ошибка, и понять, что именно вызывает ее возникновение.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 |
//game "Blacjack"// #include <iostream> #include <array> #include <algorithm> #include <vector> #include <cstdlib> #include <string> #include <Windows.h> #define cheating enum Results { WIN_DEALER, WIN_PLAYER, DRAW, }; enum Ranks { TWO, THREE, FOUR, FIVE, SIX, SEVEN, EIGHT, NINE, TEN, JACK, QUEEN, KING, ACE, ACE_1, LENGTHOFRANKS, }; enum Suits { CLUBS, DIAMONDS, HEARTS, SPADES, LENGTHOFSUITS, }; struct Card { Suits suitOfCard; Ranks rankOfCard; }; int getRandomNumber(int min, int max) { static const double fraction = 1.0 / (static_cast<double>(RAND_MAX) + 1.0); return static_cast<int>(rand() * fraction * (max - min + 1) + min); } void printCard(const Card& ref) { switch (ref.rankOfCard) { case TWO: std::cout << "2" << '\n'; break; case THREE: std::cout << "3" << '\n'; break; case FOUR: std::cout << "4" << '\n'; break; case FIVE: std::cout << "5" << '\n'; break; case SIX: std::cout << "6" << '\n'; break; case SEVEN: std::cout << "7" << '\n'; break; case EIGHT: std::cout << "8" << '\n'; break; case NINE: std::cout << "9" << "\n"; break; case TEN: std::cout << "10" << '\n'; break; case JACK: std::cout << "J" << '\n'; break; case QUEEN: std::cout << "L" << '\n'; break; case KING: std::cout << 'K' << '\n'; break; case ACE: std::cout << "A" << '\n'; break; case ACE_1: std::cout << "A_1" << '\N'; break; default: std::cout << "Unknow..."; break; } switch (ref.suitOfCard) { case CLUBS: std::cout << "C" << '\n'; break; case HEARTS: std::cout << "H" << '\n'; break; case DIAMONDS: std::cout << "D" << '\n'; break; case SPADES: std::cout << "S" << '\n'; break; default: std::cout << "Unknow" << '\n'; break; } } void printDeck(const std::array<Card, 53>& deck) { for (const auto& iii : deck) { printCard(iii); std::cout << " "; } } void Swap(Card& firstCard, Card& anAnotherCard) { Card k = firstCard; firstCard = anAnotherCard; anAnotherCard = k; } void shuffleDeck(std::array<Card, 53>& deck) { rand(); for (int jj = 0; jj < 53; jj++) { int random = getRandomNumber(0, 52); Swap(deck[random], deck[jj]); } } int getCardValue(const Card& ref2) { switch (ref2.rankOfCard) { case ACE_1: return 1; case TWO: return 2; case THREE: return 3; case FOUR: return 5; case FIVE: return 5; case SIX: return 6; case SEVEN: return 7; case EIGHT: return 8; case NINE: return 9; case TEN: return 10; case JACK: return 10; case QUEEN: return 10; case KING: return 10; case ACE: return 11; default: std::cout << "Unknow..."; break; } return 0; } bool playBlackJeck(std::array<Card, 53> deck) { Card* cardPtr = &deck[0]; int gamerScore = 0; int dealerScore = 0; shuffleDeck(deck); dealerScore += getCardValue(*cardPtr++); gamerScore += getCardValue(*cardPtr++); gamerScore += getCardValue(*cardPtr++); std::cout << "You have " << gamerScore << "\n"; std::cout << "Dealer have " << dealerScore << '\n'; char choice{}; std::cout << "Do you want stand or hit?" << '\n'; std::cout << "If you want to hit, press (h), if you want to stand press (s)" << '\n'; do { while (choice != 's') { std::cout << "Hit or stand: "; std::cin >> choice; while (true) { if (std::cin.fail()) { std::cin.clear(); std::cin.ignore(32767, '\n'); std::cout << "Hit or stand: "; } else { std::cin.clear(); std::cin.ignore(32767, '\n'); break; } } if (choice == 'h') { gamerScore += getCardValue(*cardPtr++); std::cout << "Your score " << gamerScore << "\n";; } if (gamerScore >= 21) return WIN_DEALER; } std::cout << "Dealer's motion" << '\n'; std::cout << "Now dealer collecting cards..." << '\n'; while (dealerScore < 17) { dealerScore += getCardValue(*cardPtr++); std::cout << "Dealer's score " << dealerScore << "\n";; if (dealerScore >= 21) return WIN_PLAYER; } if (dealerScore == gamerScore) return DRAW; #ifdef cheating if (gamerScore > 18 && dealerScore <= 10) { dealerScore += getCardValue(*cardPtr++); std::cout << "Dealer cheating and taking the card !!" << '\n'; } #endif // cheating if (gamerScore > dealerScore) { std::cout << "You have more points than dealer, but noone reached 21 points, so" << '\n'; return WIN_PLAYER; } if (gamerScore < dealerScore) { std::cout << "Deale have more points than you, but noone reached 21 points, so" << '\n'; return WIN_DEALER; } } while (true); return true; } int main() { srand(std::time(nullptr)); char st; std::cout << '\t' << '\t' << '\t' << '\t' << '\t' << "Hello, this is game 'Blacjack'" << '\n'; std::cout << '\n' << '\n' << '\n'; while (1) { std::cout << "Press (s) to start or (e) to leave the game: "; std::cin >> st; if (st == 'e') { std::cout << "Thank you for playing!!!" << '\n'; exit(0); } else if (st != 's') { std::cout << "Oops, invalid input, try again." << '\n'; continue; } else if (st == 's') break; } std::array<Card, 53> deck{}; int card = 0; for (int i = 0; i < LENGTHOFSUITS; i++) { for (int j = 0; j < LENGTHOFRANKS; j++) { deck.at(card).suitOfCard = static_cast<Suits>(i); deck.at(card).rankOfCard = static_cast<Ranks>(j); ++card; } }/* or for (int i=0; i<52; i++) { deck[i].suitOfCard=static_cast<Suits>(i/13); deck[i].rankOfCard=static_cast<Ranks>(i%13); }*/ int winner = playBlackJeck(deck); if (winner == WIN_PLAYER) std::cout << "You won!!!" << '\n'; else if (winner == WIN_DEALER) std::cout << "Dealer won ((" << '\n'; else if (winner == DRAW) std::cout << "Draw -_-" << '\n'; else std::cout << "Error" << '\n'; while (true) { char yorn; std::cout << "Do you want to continiue the game?(y/n): "; std::cin >> yorn; if (yorn == 'y') { shuffleDeck(deck); playBlackJeck(deck); } else if(yorn=='n') { std::cout << "Thank you for gaming!!" << '\n'; break; } else { std::cin.clear(); std::cin.ignore(32767, '\n'); std::cout << "Oops, invalid input, try again." << '\n'; continue; } } return 0; } |