279. Perfect Squares
Problem Description
The task is to find the smallest number of perfect square numbers which sum up to a given integer n
. Perfect square numbers are integers that are the product of some integer with itself, such as 1 (1x1)
, 4 (2x2)
, 9 (3x3)
, and so on. The goal is to represent the number n
as the sum of these perfect square numbers and to do so with the fewest components possible. It's akin to breaking down the number into its square number components, resembling a specialized form of factorization that limits factors to square numbers only.
Flowchart Walkthrough
To analyze Leetcode 279. Perfect Squares and identify the appropriate algorithm to use, let’s follow the decision-making process using the Flowchart. Here’s how we can determine if Breadth-First Search (BFS) is the apt choice:
Is it a graph?
- Yes: Although not immediately apparent, the problem of finding the least number of perfect squares that sum to a given number can be imagined as a graph where each node represents a sum of squares, and each edge represents a possible step from one sum to another using an additional square.
Is it a tree?
- No: The graph represents states (sum of squares) that can potentially have multiple preceding states (steps involving different squares), hence it's not strictly hierarchical like a tree.
Is the problem related to directed acyclic graphs (DAGs)?
- No: The concern is not about processing nodes in a dependency order (topological sorting), which is typical in DAGs.
Is the problem related to shortest paths?
- Yes: The goal is to find the minimum number of perfect squares that sum to the target. This can be framed as finding the shortest path in a graph from a node (zero) to a target node (the number).
Is the graph weighted?
- No: Each step from one node to another (incorporating another square into the sum) is analogous to an unweighted step since each step represents using exactly one additional square.
Conclusion: Following the flowchart through these decisions leads to selecting BFS for this unweighted shortest path problem. Hence, BFS is used to explore each level (number of squares) until the target sum is reached efficiently.
Intuition
The intuition behind the solution for this problem can be framed through an example from the field of coin change problems where we aim to make change for an amount using the least number of coins. Similarly, we can replace the concept of coins with perfect squares and the amount with our target number n
. We aim to express n
using a combination of perfect squares (1, 4, 9, ..., m*m) that adds up to n
with the minimal count of these squares.
Dynamic programming is the strategy employed here, which builds up a solution by combining solutions to smaller subproblems. By maintaining an array where the i-th
element represents the least number of perfect square numbers that sum to i
, this problem can be incrementally solved. We start from the smallest perfect square (1) and work our way up to n
, updating the array with the minimum count of perfect squares needed to reach each intermediate sum leading up to n
.
The key is to realize that for any number j
that we're trying to solve for, if we can subtract a perfect square i*i
from it, the subproblem now reduces to finding the answer for j - i*i
. The answer to the original problem (for j
) would then just be one more than the subproblem (because we've used one perfect square, namely i*i
). Thus, we loop through all perfect squares less than or equal to n
and update our array accordingly, always trying to find the smallest number of perfect squares needed for each subsequent value of j
.
Learn more about Breadth-First Search, Math and Dynamic Programming patterns.
Solution Approach
The reference solution approach adopts a dynamic programming strategy to tackle the problem. The key data structure used is an array f
of length n + 1
. The array is initialized such that f[0]
is 0
(since zero perfect squares sum to zero) and all other elements are set to infinity
(as placeholders for the minimal value to be found).
Here's a breakdown of the algorithm:
- Compute the square root of
n
and cast it to an integer (m
) to find the largest perfect square number we'll need to consider (m * m
). - Initialize our dynamic programming array
f
, withf[0]
set to0
and all other values set toinfinity
to indicate that they've not yet been computed. - Iterate over each perfect square number
i*i
, withi
ranging from1
tom
(inclusive). For eachi
, update the dynamic programming array. - For each perfect square
i*i
, iterate through the array starting from the pointi*i
ton
(inclusive). For each indexj
in this range, calculatef[j]
as the minimum of its current value andf[j - i * i] + 1
.f[j]
represents the least number of perfect squares that sum toj
.f[j - i * i]
represents the least number of perfect squares that sum to the difference betweenj
and the current perfect squarei*i
.- The
+ 1
accounts for the fact that we're considering includingi*i
as part of the sum forj
.
- After all iterations,
f[n]
contains the least number of perfect square numbers that sum ton
, and this is what the function returns.
The reasoning behind updating f[j]
with the value f[j - i * i] + 1
is based on the idea that if some sum j
can be reached by a minimum number of perfect squares, then adding one more square (in this case i*i
) would reach a sum of j + i*i
with just one more perfect square added to the count.
Essentially, this algorithm explores all combinations of perfect squares to find the least number of perfect squares that can sum to any number k
between 1
and n
. By caching these results in the array f
, the solution can efficiently be built from the bottom up, reusing previously computed values for optimal substructures.
This type of dynamic programming is often referred to as bottom-up because the solutions to smaller instances of the problem are used to construct solutions to larger instances. This is also an example of space for time trade-off since we're using extra space (the array f
) to store intermediate results, thus avoiding recomputation and saving time.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's walk through a small example to solidify the understanding of the solution approach described above. Suppose we are given the number n = 12
. Our goal is to find the smallest number of perfect square numbers that sum up to 12.
Following the steps of the algorithm:
-
We first calculate the largest perfect square number less than or equal to
n
. The square root of12
is approximately3.46
, so we round down to getm = 3
. The perfect squares we will consider are1*1
,2*2
, and3*3
, which are1
,4
, and9
respectively. -
Next, we initialize our dynamic programming array
f
of lengthn + 1 = 13
. We fill it withinfinity
except for the first element:f[0] = 0
. -
We begin our iteration over each perfect square, so we'll look at
1
,4
, and9
in sequence. -
For the perfect square
1*1 = 1
, we updatef[j]
for allj
in the range from1
to12
by comparingf[j]
andf[j - 1] + 1
:- For
j = 1
,f[1]
becomesmin(infinity, f[0] + 1)
which equals1
. - For
j = 2
,f[2]
becomesmin(infinity, f[1] + 1)
which equals2
. - ...
- And so on, until
f[12]
which becomesmin(infinity, f[11] + 1)
which equals12
.
- For
-
Now we use the perfect square
2*2 = 4
. We updatef[j]
for allj
from4
to12
:- For
j = 4
,f[4]
is updated tomin(f[4], f[0] + 1)
which equals1
sincef[4]
was4
andf[0] + 1
is1
. - For
j = 5
,f[5]
is updated tomin(f[5], f[1] + 1)
which equals2
. - ...
- For
j = 12
,f[12]
is updated tomin(f[12], f[8] + 1)
which equals3
sincef[12]
was12
andf[8] + 1
is3
.
- For
-
Finally, we consider the perfect square
3*3 = 9
. We updatef[j]
for allj
from9
to12
:- For
j = 9
,f[9]
becomesmin(f[9], f[0] + 1)
which equals1
. - For
j = 10
,f[10]
becomesmin(f[10], f[1] + 1)
which equals2
. - For
j = 11
,f[11]
becomesmin(f[11], f[2] + 1)
which equals3
. - For
j = 12
,f[12]
is finally updated tomin(f[12], f[3] + 1)
which equals3
. It was3
from the last update andf[3] + 1
is4
which is not smaller than3
.
- For
After considering all perfect squares up to 3*3
, our array f
shows that the smallest number of perfect squares summing up to 12
is f[12]
, which is 3
. Therefore, 12
can be expressed as the sum of three perfect square numbers: 4 (2*2) + 4 (2*2) + 4 (2*2)
or alternatively as 9 (3*3) + 1 (1*1) + 1 (1*1) + 1 (1*1)
.
The dynamic programming solution effectively builds up the optimal solution one number at a time by combining the optimal solutions to smaller subproblems. By completing this example, the algorithm demonstrates how it leverages the computed solutions to previous numbers to find the least number of perfect squares that sum to n
, step by step.
Solution Implementation
1from math import sqrt
2from math import inf
3
4class Solution:
5 def numSquares(self, n: int) -> int:
6 # Find the square root of n and floor it
7 max_square_root = int(sqrt(n))
8
9 # Initialize an array of size n+1 for dynamic programming, filled with infinity for all indices except the first one
10 dp = [0] + [inf] * n
11
12 # Loop through all possible square numbers up to the maximum square root
13 for i in range(1, max_square_root + 1):
14 square = i * i
15 # Update the dp array with the minimum number of squares that sum up to each index j
16 for j in range(square, n + 1):
17 dp[j] = min(dp[j], dp[j - square] + 1)
18
19 # Return the minimum number of squares that sum up to n
20 return dp[n]
21
1class Solution {
2 public int numSquares(int n) {
3 int maxSquareRoot = (int) Math.sqrt(n); // Calculate the maximum square root for the given n.
4 int[] dp = new int[n + 1]; // Create a dynamic programming array to store minimum squares for each number up to n.
5 Arrays.fill(dp, Integer.MAX_VALUE); // Fill the array with maximum int value to simulate infinity.
6 dp[0] = 0; // There are 0 squares that sum to 0.
7
8 // Iterate through each square number up to the square root of n.
9 for (int i = 1; i <= maxSquareRoot; ++i) {
10 int square = i * i; // Calculate the current square number.
11 // Calculate the minimum number of squares that sum to each number from the square up to n.
12 for (int j = square; j <= n; ++j) {
13 // Update the dp array with the minimum value between the current count and
14 // the count of the current square plus the count required to sum to the remaining value (j - square).
15 dp[j] = Math.min(dp[j], dp[j - square] + 1);
16 }
17 }
18 return dp[n]; // Return the minimum number of squares that sum to n.
19 }
20}
21
1#include <vector>
2#include <cmath>
3#include <algorithm>
4#include <cstring>
5
6class Solution {
7public:
8 // Function to find the minimum number of perfect square numbers
9 // that sum to 'n'.
10 int numSquares(int n) {
11 // Calculate the square root of 'n' to get the largest possible
12 // square number that we will use.
13 int maxSquareRoot = sqrt(n);
14
15 // Create a dp (dynamic programming) vector to store the minimum
16 // number of squares required for each number up to 'n'.
17 // Initialize with a large value as a form of 'infinity'.
18 std::vector<int> dp(n + 1, INT_MAX);
19
20 // Base case: 0 can only be expressed as the sum of 0 squares.
21 dp[0] = 0;
22
23 // Start building up the solution from 1 to 'maxSquareRoot'.
24 for (int i = 1; i <= maxSquareRoot; ++i) {
25 int square = i * i; // The square of the current number i
26 // For each value 'j' from the current square up to 'n',
27 // update the dp array with the minimum value between its
28 // current value and the number of squares required to reach
29 // (j - current square) plus one (which represents the current square).
30 for (int j = square; j <= n; ++j) {
31 dp[j] = std::min(dp[j], dp[j - square] + 1);
32 }
33 }
34
35 // The answer for 'n' will now be at dp[n], which was built up by the loop.
36 return dp[n];
37 }
38};
39
1function numSquares(n: number): number {
2 // Calculate the integer square root of 'n'
3 const maxSquareRoot = Math.floor(Math.sqrt(n));
4
5 // Initialize an n+1 length array with 'infinity' representing the minimum number of squares to achieve the index value
6 const minSquares: number[] = Array(n + 1).fill(Infinity);
7
8 // Base case: 0 can be composed by 0 squares (hence, minSquares[0] = 0)
9 minSquares[0] = 0;
10
11 // Loop through all possible perfect square numbers
12 for (let squareRoot = 1; squareRoot <= maxSquareRoot; ++squareRoot) {
13 const square = squareRoot * squareRoot; // Calculate the current square
14 // Iterate through the array and update the minimum number of squares needed to compose 'j'
15 for (let j = square; j <= n; ++j) {
16 // Update the minSquares for the number 'j' if a lesser number of squares is found
17 minSquares[j] = Math.min(minSquares[j], minSquares[j - square] + 1);
18 }
19 }
20
21 // The last index of minSquares will hold the minimum number of perfect square numbers which sum up to 'n'
22 return minSquares[n];
23}
24
Time and Space Complexity
The provided code is a dynamic programming solution to find the least number of perfect square numbers which sum to a given number n
.
Time Complexity:
The outer loop runs m
times where m
is the integer square root of n
, which is calculated by m = int(sqrt(n))
. This essentially means we are considering squares of all numbers from 1
to m
(inclusive). The inner loop runs for each value from the current square i * i
up to n
. Essentially, the inner loop will run n
times in the worst case for each i
.
Hence, the total time complexity is O(n * m
). Since m
is the square root of n
, we can express this as O(n * sqrt(n)
).
Space Complexity:
The space complexity is determined by the array f
, which is of size n + 1
. Thus, the space complexity is O(n
), as f
is the only data structure that stores a number of elements linearly proportional to the input size.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following problems can be solved with backtracking (select multiple)
Recommended Readings
https algomonster s3 us east 2 amazonaws com cover_photos bfs svg Breadth First Search on Trees Hopefully by this time you've drunk enough DFS Kool Aid to understand its immense power and seen enough visualization to create a call stack in your mind Now let me introduce the companion spell
Math for Technical Interviews How much math do I need to know for technical interviews The short answer is about high school level math Computer science is often associated with math and some universities even place their computer science department under the math faculty However the reality is that you
What is Dynamic Programming Prerequisite DFS problems dfs_intro Backtracking problems backtracking Memoization problems memoization_intro Pruning problems backtracking_pruning Dynamic programming is an algorithmic optimization technique that breaks down a complicated problem into smaller overlapping sub problems in a recursive manner and uses solutions to the sub problems to construct a solution
Want a Structured Path to Master System Design Too? Don’t Miss This!