LeetCode Daily 08/09/2025 - 1317. Convert Integer to the Sum of Two No-Zero Integers
Problem Link
LeetCode 1317 - Convert Integer to the Sum of Two No-Zero Integers
Difficulty: Easy
Topic: Array, Math
Daily Question: 8th September 2025
Video Explanation
Watch the complete solution walkthrough on my YouTube channel!
Intuition
We need two positive integers a and b such that a + b = n and neither a nor b contains the digit 0 anywhere in its decimal representation.
Important clarification: “No-Zero integer” does not mean “the number is not equal to 0”; it means no digit
'0'is allowed in the number.
Examples: 7, 19, 345 ✅; 10, 101, 203 ❌ (because they contain the digit 0).
Given 2 ≤ n ≤ 10^4, a simple linear scan over a (and thus b = n - a) is sufficient. As soon as we find a pair where both contain no '0', we can return it (the problem guarantees at least one valid answer).
Approach
- Loop
afrom1ton - 1(ensures both parts are positive). - Let
b = n - a. - Check the “No-Zero” property by verifying
'0' not in str(a)and'0' not in str(b). - Return the first valid pair
[a, b]immediately (early exit).
Why this works:
- The constraints are small; the worst-case scan is at most
n-1iterations. - String containment check is straightforward and unambiguous for the “no digit
0“ requirement. - A valid pair is guaranteed to exist, so the loop will terminate with a result.
Complexity Analysis
- Time complexity:
O(n)— we may try eachaonce until we find a valid pair. - Space complexity:
O(1)— constant extra space.
Solution
1 | from typing import List |
Example Walkthrough
Example 1: n = 11
- Try
a = 1,b = 10→'0' in str(10)❌ - Try
a = 2,b = 9→ Both contain no'0'✅ - Return
[2, 9]
Example 2: n = 10000
- Try
a = 1,b = 9999→ Both contain no'0'✅ - Return
[1, 9999]
Key Takeaways
- String-based digit checking is the most straightforward approach for “no digit 0” requirement
- Linear search is sufficient given the small constraint bounds
- Early termination optimizes performance when valid pair is found
- Problem guarantees ensure a valid solution always exists
Part of my daily LeetCode journey! Follow along for more algorithm solutions and explanations.