32
32
``` python
33
33
class Solution :
34
34
def addStrings (self , num1 : str , num2 : str ) -> str :
35
- n1, n2 = len (num1) - 1 , len (num2) - 1
35
+ ans = []
36
+ i, j = len (num1) - 1 , len (num2) - 1
36
37
carry = 0
37
- res = []
38
- while n1 >= 0 or n2 >= 0 or carry > 0 :
39
- carry += (0 if n1 < 0 else int (num1[n1])) + (0 if n2 < 0 else int (num2[n2]))
40
- res.append(str (carry % 10 ))
38
+ while i >= 0 or j >= 0 or carry:
39
+ carry += (0 if i < 0 else int (num1[i])) + (0 if j < 0 else int (num2[j]))
40
+ ans.append(str (carry % 10 ))
41
41
carry //= 10
42
- n1, n2 = n1 - 1 , n2 - 1
43
- return ' ' .join(res [::- 1 ])
42
+ i, j = i - 1 , j - 1
43
+ return ' ' .join(ans [::- 1 ])
44
44
```
45
45
46
46
### ** Java**
@@ -50,15 +50,15 @@ class Solution:
50
50
``` java
51
51
class Solution {
52
52
public String addStrings (String num1 , String num2 ) {
53
- int n1 = num1. length() - 1 , n2 = num2. length() - 1 ;
53
+ int i = num1. length() - 1 , j = num2. length() - 1 ;
54
54
int carry = 0 ;
55
- StringBuilder sb = new StringBuilder ();
56
- while (n1 >= 0 || n2 >= 0 || carry > 0 ) {
57
- carry += (n1 < 0 ? 0 : num1. charAt(n1 -- ) - ' 0' ) + (n2 < 0 ? 0 : num2. charAt(n2 -- ) - ' 0' );
58
- sb . append(carry % 10 );
55
+ StringBuilder ans = new StringBuilder ();
56
+ while (i >= 0 || j >= 0 || carry > 0 ) {
57
+ carry += (i < 0 ? 0 : num1. charAt(i -- ) - ' 0' ) + (j < 0 ? 0 : num2. charAt(j -- ) - ' 0' );
58
+ ans . append(carry % 10 );
59
59
carry /= 10 ;
60
60
}
61
- return sb . reverse(). toString();
61
+ return ans . reverse(). toString();
62
62
}
63
63
}
64
64
```
@@ -88,6 +88,47 @@ var addStrings = function (num1, num2) {
88
88
};
89
89
```
90
90
91
+ ### ** C++**
92
+
93
+ ``` cpp
94
+ class Solution {
95
+ public:
96
+ string addStrings(string num1, string num2) {
97
+ int i = num1.size() - 1, j = num2.size() - 1;
98
+ int carry = 0;
99
+ string ans;
100
+ while (i >= 0 || j >= 0 || carry)
101
+ {
102
+ carry += (i < 0 ? 0 : num1[ i--] - '0') + (j < 0 ? 0 : num2[ j--] - '0');
103
+ ans += to_string(carry % 10);
104
+ carry /= 10;
105
+ }
106
+ reverse(ans.begin(), ans.end());
107
+ return ans;
108
+ }
109
+ };
110
+ ```
111
+
112
+ ### **Go**
113
+
114
+ ```go
115
+ func addStrings(num1 string, num2 string) string {
116
+ carry := 0
117
+ ans := ""
118
+ for i, j := len(num1)-1, len(num2)-1; i >= 0 || j >= 0 || carry != 0; i, j = i-1, j-1 {
119
+ if i >= 0 {
120
+ carry += int(num1[i] - '0')
121
+ }
122
+ if j >= 0 {
123
+ carry += int(num2[j] - '0')
124
+ }
125
+ ans = strconv.Itoa(carry%10) + ans
126
+ carry /= 10
127
+ }
128
+ return ans
129
+ }
130
+ ```
131
+
91
132
### ** ...**
92
133
93
134
```
0 commit comments