LeetCode:Happy Number

1367 단어 자바LeetCode
질문 설명:
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;  
    }  
}

좋은 웹페이지 즐겨찾기