티스토리 뷰
Problem
Given an integer n, return the least number of perfect square numbers that sum to n.
A perfect square is an integer that is the square of an integer; in other words, it is the product of some integer with itself. For example, 1, 4, 9, and 16 are perfect squares while 3 and 11 are not.
Example 1:
Input: n = 12
Output: 3
Explanation: 12 = 4 + 4 + 4.
Example 2:
Input: n = 13
Output: 2
Explanation: 13 = 4 + 9.
Constraints:
- 1 <= n <= 10^4
Solution
정수 n이 주어졌을 때 완전제곱수의 합으로 n을 이룰 수 있는 가장 작은 경우의 수를 구하는 문제입니다.
DP를 이용해 간단히 풀 수 있습니다.
import java.util.Arrays;
public class Solution {
public int numSquares(int n) {
int[] dp = new int[n + 1];
Arrays.fill(dp, 10001);
for (int i = 1; i <= n; i++) {
for (int j = 1; j <= Math.sqrt(n); j++) {
if (i == j * j) {
dp[i] = 1;
} else if (i > j * j) {
dp[i] = Math.min(dp[i], dp[i - j * j] + 1);
}
}
}
return dp[n];
}
}
다른 방법에 비해 시간, 공간 복잡도가 많이 들지만 풀이 자체는 가장 깔끔한 방법이라고 생각합니다.
라그랑주 네 제곱수 정리를 이용하면 시간, 공간 복잡도를 훨씬 더 아낄 수 있습니다.
💡 라그랑주 네 제곱수 정리: 모든 양의 정수는 많아야 4개의 제곱수의 합이다.
class Solution {
public int numSquares(int n) {
while (n % 4 == 0) { // (1)
n /= 4;
}
if (n % 8 == 7) { // (1)
return 4;
}
if (isSquares(n)) { // (2)
return 1;
}
for (int i = 1; i * i < n; i++) { // (3)
if (isSquares(n - i * i)) {
return 2;
}
}
return 3; // (4)
}
private boolean isSquares(int n) {
int rootN = (int) Math.sqrt(n);
return n == rootN * rootN;
}
}
- 4^n(8k + 7)은 반드시 4개의 제곱수로 나타낼 수 있음
- 제곱수인 경우 1을 반환
- 제곱수를 뺀 이후 제곱수인 경우 2를 반환(제곱수 + 제곱수로 나타내지는 경우)
- 1, 2, 3의 경우가 아니면 무조건 3개로 나타낼 수 있음
Test
package io.lcalmsky.leetcode.perfect_squares;
import org.junit.jupiter.api.Test;
import static org.junit.jupiter.api.Assertions.assertAll;
import static org.junit.jupiter.api.Assertions.assertEquals;
class SolutionTest {
@Test
void givenNumber_whenFindLeastNumber_thenCorrect() {
assertAll(
() -> test(12, 3),
() -> test(13, 2)
);
}
private void test(int given, int expected) {
// when
Solution solution = new Solution();
int actual = solution.numSquares(given);
// then
assertEquals(actual, expected);
}
}
'Algorithm > LeetCode' 카테고리의 다른 글
댓글
공지사항
최근에 올라온 글
최근에 달린 댓글
- Total
- Today
- Yesterday
링크
TAG
- 클린 아키텍처
- Spring Boot JPA
- Spring Data JPA
- Spring Boot Tutorial
- gRPC
- leetcode
- Linux
- 함께 자라기 후기
- Java
- spring boot app
- QueryDSL
- Spring Boot
- 스프링 데이터 jpa
- proto3
- 스프링 부트 애플리케이션
- 헥사고날 아키텍처
- 스프링부트
- 스프링 부트 회원 가입
- JSON
- 스프링 부트 튜토리얼
- r
- spring boot application
- spring boot jwt
- 알고리즘
- intellij
- 함께 자라기
- JPA
- @ManyToOne
- 스프링 부트
- Jackson
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
글 보관함