Skip to content

1440. Convert Integer To The Sum Of Two No Zero Integers

Math

Problem - Convert Integer To The Sum Of Two No Zero Integers

Easy

No-Zero integer is a positive integer that does not contain any 0 in its decimal representation.

Given an integer n, return a list of two integers [a, b] where:

  • a and b are No-Zero integers.
  • a + b = n

The test cases are generated so that there is at least one valid solution. If there are many valid solutions, you can return any of them.

 

Example 1:

Input: n = 2
Output: [1,1]
Explanation: Let a = 1 and b = 1.
Both a and b are no-zero integers, and a + b = 2 = n.

Example 2:

Input: n = 11
Output: [2,9]
Explanation: Let a = 2 and b = 9.
Both a and b are no-zero integers, and a + b = 11 = n.
Note that there are other valid answers as [8, 3] that can be accepted.

 

Constraints:

  • 2 <= n <= 104

Solutions

1
2
3
4
5
6
class Solution:
    def getNoZeroIntegers(self, n: int) -> List[int]:
        for num1 in range(1, n):
            num2 = n - num1
            if "0" not in (str(num1) + str(num2)):
                return [num1, num2]

Submission Stats:

  • Runtime: 0 ms (100.00%)
  • Memory: 17.7 MB (50.87%)