LeetCode202. Happy Number(模拟)
- Easy
- Accepted:210,079
- Submissions:476,146
Write an algorithm to determine if a number is "happy".
A happy number is a number defined by the following process: Starting with any positive integer, replace the number by the sum of the squares of its digits, and repeat the process until the number equals 1 (where it will stay), or it loops endlessly in a cycle which does not include 1. Those numbers for which this process ends in 1 are happy numbers.
Example:
Input: 19
Output: true
Explanation:
1^2 + 9^2 = 82
8^2 + 2^2 = 68
6^2 + 8^2 = 100
1^2 + 0^2 + 0^2 = 1
链接
https://leetcode.com/problems/happy-number/
题意
判断一个数是否为happy number,happy number是指:将一个数替换为其各位数字的平方和,重复这个过程,如果最终的结果为1,那么为这个数为happy number,如果过程陷入了不包含1的循环则非happy number。
题解
主要是考虑判断这个数不是happy number时如何跳出循环,对于一个数比如11,在计算的过程中,11 = 1+1=2=4=16=1+36=37=9+49=58=25+64=89=64+81=145=1+16+25=42=16+4=20=4
,即出现了同样的数字4,因此产生了无限循环,此时可以判断该数字不是happy number。
也就是说,在计算的过程中,记录每次产生的数,然后判断是否产生了重复的数,就能得到结果。
可以使用unordered_set来记录和判断是否产生重复的数。
代码
- Runtime: 8 ms, faster than 69.65% of C++ online submissions for Happy Number.
- Memory Usage: 8.5 MB, less than 100.00% of C++ online submissions for Happy Number.
class Solution {
public:
bool isHappy(int n) {
unordered_set <int> uset;
int num;
while (n != 1)
{
num = 0;
while (n) // 每位数字累加平方和
{
num += (n % 10) * (n % 10);
n /= 10;
}
n = num;
if (uset.count(n) > 0) // 出现过
break;
else
uset.insert(n);
}
return n == 1;
}
};
顺便提一下,貌似非happy number有一个很牛逼的特性,在计算的过程中会出现4。
还有一种解法是Floyd Cycle detection algorithm-space-and-no-magic-math-property-involved-),可以看一下,很神奇。
The end.
2019年2月14日 星期四