Problem Description
An additive number is a string whose digits can form an additive sequence. A valid additive sequence should contain at least three numbers. Except for the first two numbers, each subsequent number in the sequence must be the sum of the preceding two. Given a string containing only digits, return true
if it is an additive number or false
otherwise. Numbers in the additive sequence cannot have leading zeros.
Key Insights
- The sequence must consist of at least three numbers.
- Each number (after the first two) must be the sum of the previous two numbers.
- Leading zeros are not allowed, which means a number like "01" or "001" is invalid.
- The problem can be approached using backtracking to explore different combinations of the first two numbers.
Space and Time Complexity
Time Complexity: O(n^2), where n is the length of the input string. Each pair of starting numbers can lead to multiple recursive checks. Space Complexity: O(n), for the recursion stack space in the worst case.
Solution
To determine if a string can form an additive sequence, we can use a backtracking approach. The idea is to try different pairs of starting numbers from the string and recursively check if the remaining part of the string can be split into valid numbers according to the additive sequence rules.
- Iterate through the string to select the first number.
- For each choice of the first number, select a second number from the remaining substring.
- Calculate the expected next number by summing the two chosen numbers and check if it matches the next part of the string.
- If it matches, continue the process with the new numbers until the entire string is consumed.
This approach ensures that all possible pairs of starting numbers are checked while adhering to the constraints of the problem.