202Happy Number快樂數
阿新 • • 發佈:2018-12-15
編寫一個演算法來判斷一個數是不是“快樂數”。
一個“快樂數”定義為:對於一個正整數,每一次將該數替換為它每個位置上的數字的平方和,然後重複這個過程直到這個數變為 1,也可能是無限迴圈但始終變不到 1。如果可以變為 1,那麼這個數就是快樂數。
示例:
輸入: 19 輸出: true 解釋: 12 + 92 = 82 82 + 22 = 68 62 + 82 = 100 12 + 02 + 02 = 1
class Solution { public: bool isHappy(int n) { map<int, int> check; check[n] = 1; while(n != 1) { int temp = n; int newN = 0; while(temp) { int x = temp % 10; newN += x * x; temp /= 10; } if(check[newN] == 1) return false; n = newN; check[newN] = 1; } return true; } };