LeetCode:Happy Number
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: 19 is a happy number
12 + 92 = 82
82 + 22 = 68
62 + 82 = 100
12 + 02 + 02 = 1
생각:
set 저장 소 에 이미 나타 난 숫자 를 설정 하여 순환 을 방지 하고 숫자 를 처리 하 는 함 수 는 규칙 에 따라 진행 하 며 숫자의 모든 위 치 를 제곱 한 후에 추가 하면 됩 니 다.
자바 코드:
public class Solution {
public boolean isHappy(int n) {
if(n < 1) return false;
if(n == 1) return true;
Set<Long> set = new HashSet<Long>();
long ln = n;
while(ln <= Integer.MAX_VALUE){
if(set.contains(ln)) return false;
else set.add(ln);
ln = digitSquare(ln);
if(ln == 1) return true;
}
return false;
}
private long digitSquare(long ln) {
long sum = 0;
while(ln != 0) {
sum += Math.pow(ln % 10, 2);
ln /= 10;
}
return sum;
}
}
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Is Eclipse IDE dying?In 2014 the Eclipse IDE is the leading development environment for Java with a market share of approximately 65%. but ac...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.