-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.py
executable file
·75 lines (64 loc) · 1.9 KB
/
main.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
#!/usr/bin/env python
import unittest
from typing import List
"""
先遍历小的字符串
接着遍历小字符串到大字符串之间的 字符串
如
101, 10101
先遍历前三位
后遍历两位
"""
class Solution:
def addBinaryDFS(self, a: str, b: str) -> str:
if len(a) < len(b):
min_str = a
max_str = b
else:
min_str = b
max_str = a
ans: List[int] = []
carry = self.util(min_str, max_str, -1, len(min_str), len(max_str), 0, ans)
if carry > 0:
ans.append(1)
return "".join(map(str, ans[::-1]))
def addBinary(self, a: str, b: str) -> str:
ans = []
carry = 0
if len(a) < len(b):
min_str = a
max_str = b
else:
min_str = b
max_str = a
for i in range(len(min_str) - 1, -1, -1):
x = int(max_str[i - len(min_str)]) + int(min_str[i]) + carry
if x >= 2:
carry = 1
x = x % 2
else:
carry = 0
ans.append(x)
for i in range(len(max_str) - len(min_str) - 1, -1, -1):
x = int(max_str[i]) + carry
if x >= 2:
carry = 1
x = x % 2
else:
carry = 0
ans.append(x)
if carry > 0:
ans.append(1)
return "".join(map(str, ans[::-1]))
class SolutionTestCase(unittest.TestCase):
def testAddBinary(self):
table = [
# {"input": ["11", "10"], "output": "101"},
# {"input": ["1010", "1011"], "output": "10101"},
# {"input": ["1", "111"], "output": "1000"},
{"input": ["100", "110010"], "output": "110110"},
]
for t in table:
self.assertEqual(Solution().addBinaryDFS(*t["input"]), t["output"])
if __name__ == "__main__":
unittest.main()