编写一个算法来判断一个数 n 是不是快乐数。
「快乐数」定义为:对于一个正整数,每一次将该数替换为它每个位置上的数字的平方和,然后重复这个过程直到这个数变为 1,也可能是 无限循环 但始终变不到 1。如果 可以变为 1,那么这个数就是快乐数。
如果 n 是快乐数就返回 True ;不是,则返回 False 。
示例:
输入:19
输出:true
解释:
12 + 92 = 82
82 + 22 = 68
62 + 82 = 100
12 + 02 + 02 = 1
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/happy-number
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
题解:
思路一: 使用HashSet记录之前循环过的值, 当包含时,判断其是不是1.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
public static boolean s(int n){
Set<Integer> set = new HashSet<>();
while (n != 1 && !set.contains(n)){
set.add(n);
n = nextNum(n);
}
return n == 1;
}
public static int nextNum(int n){
int res = 0;
while (n > 0){
int bit = n % 10;
res += Math.pow(bit,2);
n = n / 10;
}
return res;
}
|
时间复杂度:O(logN)
空间复杂度:O(logN)
思路二:利用快慢指针思想,快指针每次走两步,慢指针每次走一步,当两者相同时即为一个循环周期。此时,判断是不是因为1引起的循环,是的话就是快乐数,否则就不是快乐数。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
public static boolean s(int n){
int slow = n;
int fast = nextNum(n);
while(slow != fast){
slow = nextNum(slow);
fast = nextNum(nextNum(fast));
}
return slow == 1;
}
public static int nextNum(int n){
int res = 0;
while (n > 0){
int bit = n % 10;
res += Math.pow(bit,2);
n = n / 10;
}
return res;
}
|