Numbers With Same Consecutive Differences
Given two integers n and k, return an array of all the integers of length n
where the difference between every two consecutive digits is k
. You may return the answer in any order.
Note that the integers should not have leading zeros. Integers as 02
and 043
are not allowed.
Example 1:
Input: n = 3, k = 7
Output: [181,292,707,818,929]
Explanation: Note that 070
is not a valid number, because it has leading zeroes.
Example 2:
Input: n = 2, k = 1
Output: [10,12,21,23,32,34,43,45,54,56,65,67,76,78,87,89,98]
Constraints:
2 <= n <= 9
0 <= k <= 9
Solution
We want to build up the numbers from the leftmost digit to the rightmost.
Since n
is >= 2 and there should not be leading zeros, we will start from one digit (1-9) and call our backtracking helper to construct the next digits.
Here, our path
(num
in the implementation) will store an integer instead of a list to save space and time.
We want to apply backtracking1 template. We fill in the logic:
is_leaf
:start_index == n
, when the constucted number containsn
digits.get_edges
: the next digit can becur_digit +- k
is_valid
:cur_digit + k <= 9
andcur_digit - k >= 0
to avoid the next digit being out of bound. Note that in the implementation, ifk=0
thencur_digit+k == cur_digit - k
, we must avoid the duplicate by checking whetherk=0
.
Implementation
def numsSameConsecDiff(self, n: int, k: int) -> List[int]:
def dfs(start_index, num):
if start_index == n: # num is n digits, add to ans
ans.append(num)
return
cur_digit = num % 10 # current digit
if (cur_digit - k >= 0):
dfs(start_index + 1, num * 10 + (cur_digit - k))
if (cur_digit + k <= 9 and k != 0): # avoid duplicate when k = 0
dfs(start_index + 1, num * 10 + (cur_digit + k))
ans = []
for i in range(1, 10): # first digit can be 1-9
dfs(1, i)
return ans
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorWhich of the following array represent a max heap?
Recommended Readings
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Runtime Overview When learning about algorithms and data structures you'll frequently encounter the term time complexity This concept is fundamental in computer science and offers insights into how long an algorithm takes to complete given a certain input size What is Time Complexity Time complexity represents the amount of time
Want a Structured Path to Master System Design Too? Don’t Miss This!