371. Sum of Two Integers
Problem Description
The problem presents a situation where we need to calculate the sum of two integers a
and b
. However, the challenge here is that we are restricted from using the usual addition and subtraction operators, which are +
and -
. This requires a different approach to perform the addition operation by means other than direct arithmetic operators.
Intuition
The intuition behind the solution is based on bitwise operations. Since we cannot use the +
and -
operators, we need to simulate the addition process. A common way to achieve this is by using bitwise XOR and AND operations. The XOR operation can be used to simulate the addition without carrying, and the AND operation followed by a left shift can be used to determine the carry from the addition.
Here's a step-by-step process of the thinking:
-
XOR for Addition: The XOR operation gives a binary number that represents the summation of two bits where carrying is not accounted for. For example, 1 XOR 1 is 0, 1 XOR 0 is 1, which aligns with addition of bits without carrying.
-
AND for Carry: The AND operation gives a binary number that represents the bits that would need to be carried in a standard addition operation. For example, 1 AND 1 is 1, which means there is a carry.
-
Shift for Carry Position: The carried value from the AND operation is then left-shifted one bit because the carry from any particular bit would go to the next higher bit in a binary addition.
-
Iteration Until No Carry: We need to repeat this process until there is no carry left, i.e., the result of the AND operation is 0.
-
Masking with 0xFFFFFFFF: To ensure compatibility with negative numbers and to simulate 32-bit integer overflow behavior, bitwise operations are performed with a mask of 0xFFFFFFFF.
-
Check for Negative Result: If the result has its leftmost bit (bit 31) set, it is negative (in 32-bit two's complement form). To convert it to a negative number that Python recognizes, the inverse operation is applied (via
~(a ^ 0xFFFFFFFF)
).
Considering the above intuition, the solution approach simulates the addition of two integers using bitwise operations that reflect the mechanics of binary addition while respecting the constraints of 32-bit signed integer overflow.
Learn more about Math patterns.
Solution Approach
The implementation of the solution uses bitwise operations to mimic the addition process. Below is a detailed walk-through of how the provided code implements the algorithm:
-
Masking for 32-bit Integer Overflow: The code starts by initializing
a
andb
with a mask of0xFFFFFFFF
:a, b = a & 0xFFFFFFFF, b & 0xFFFFFFFF
This ensures that we're only considering the lower 32 bits of the integers, which simulates the overflow behavior of a 32-bit machine. In a 32-bit environment, integers wrap around when they exceed their maximum or minimum limits, and bitwise operations in Python can produce similar results by using this mask.
-
Loop for Iterative Addition: Next, a
while
loop is started, which continues as long asb
is non-zero:while b:
The value of
b
holds the carry bits that need to be added toa
. The loop iterates until there are no carry bits left to add. -
Calculating Carry: Inside the loop, the carry is calculated by performing a bitwise AND between
a
andb
, and then left shifting the result by 1 bit:carry = ((a & b) << 1) & 0xFFFFFFFF
The result is again masked to ensure it stays within 32 bits.
-
Adding Without Carry: The XOR operation is then used to add
a
andb
without considering the carry:a, b = a ^ b, carry
Here,
a
now contains the intermediate sum without the carry bits, whileb
takes on the value of the carry bits that need to be added in the next iteration. -
Handling Negative Numbers: Once the loop completes (when there is no carry left), the function checks if the result is a negative number:
return a if a < 0x80000000 else ~(a ^ 0xFFFFFFFF)
If the most significant bit of
a
(bit 31) is not set,a
is returned directly. If it is set, it indicates a negative number in 32-bit two's complement form, so the bitwise complement operator~
is used in conjunction with^(XOR)
to get the negative integer that Python can interpret correctly.
The code leverages the concept of two's complement for negative numbers. In two's complement, a negative number is represented by inverting all the bits of its positive counterpart and then adding 1 to the least significant bit (which happens here indirectly through the XOR and AND operations).
No additional data structures are used in this implementation; the solution is carried out with simple integer variables and bitwise operations.
In conclusion, this implementation carefully applies fundamental binary arithmetic operations in a loop to achieve the same result as the addition operator while conforming to the specified constraints relating to arithmetic operators and integer overflow behavior.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's take smaller, more manageable integers to explain the logic clearly. We will add two integers, a = 13
and b = 8
, without using the +
and -
operators. In binary form, a
is 1101
and b
is 1000
.
-
Mask both
a
andb
with0xFFFFFFFF
. For the value ranges in our example, this has no effect because botha
andb
are positive and within the 32-bit limit.a, b = 13 & 0xFFFFFFFF, 8 & 0xFFFFFFFF
-
Enter the
while
loop whereb
is not zero. Initially,b
is1000
(or8
), so the loop commences. -
Calculate the carry by
AND
inga
andb
, then left shifting by one (<<1
):carry = ((a & b) << 1) & 0xFFFFFFFF # carry = ((1101 & 1000) << 1) & 0xFFFFFFFF # carry = (1000 << 1) & 0xFFFFFFFF # carry = 10000 & 0xFFFFFFFF # carry = 16, in binary: 10000
-
Perform the addition without carry using
XOR
, and update the carry from step 3:a, b = a ^ b, carry # a = 1101 ^ 1000 # a = 0101, which is 5 in decimal # b = carry = 10000, which is 16 in decimal
-
Since
b
is still not zero, the loop continues with the new values ofa
andb
. -
Inside the loop again:
carry = ((a & b) << 1) & 0xFFFFFFFF # carry = ((0101 & 10000) << 1) & 0xFFFFFFFF # carry = (00000 << 1) & 0xFFFFFFFF # carry = 00000 & 0xFFFFFFFF # carry = 0, in binary: 00000
And for the
XOR
operation:a, b = a ^ b, carry # a = 0101 ^ 10000 # a = 10101, which is 21 in decimal # b = carry = 00000, which is 0 in decimal
-
Since
b
is now zero, we exit the loop. We check ifa
is negative by looking at bit 31 (it is not in our case). -
Return
a
because the most significant bit ofa
is not set, implying that the result is a positive number:return a # which is 21 in our example
Thus, we have successfully added a
and b
using bitwise operations, simulating their binary addition process without using the +
and -
operators. This example demonstrates how we obtain the sum 21
, which we expect from adding 13
and 8
.
Solution Implementation
1class Solution:
2 def getSum(self, a: int, b: int) -> int:
3 # Mask to get 32-bit representation
4 MASK = 0xFFFFFFFF
5
6 # Convert a and b to 32-bit integers
7 a, b = a & MASK, b & MASK
8
9 # Iterate while there is a carry
10 while b:
11 # Calculate the carry from a and b,
12 # and ensure it's within the 32-bit boundary
13 carry = ((a & b) << 1) & MASK
14
15 # XOR a and b to find the sum without considering carries,
16 # then consider the carry for the next iteration
17 a, b = a ^ b, carry
18
19 # If a is within the 32-bit integer range, return it directly
20 # The operation 'a < 0x80000000' checks if the result is within the positive range
21 # of a 32-bit integer (from 0x00000000 to 0x7FFFFFFF)
22 if a < 0x80000000:
23 return a
24
25 # If a is outside the 32-bit integer range, which means it is negative,
26 # return the two's complement negative value, which is the bitwise negation of a
27 # (by XORing with MASK, which is 'all 1's for a 32-bit number') and adding 1
28 return ~(a ^ MASK)
29
1class Solution {
2 public int getSum(int a, int b) {
3 // If there is no carry (b == 0), then we have found the sum and can return 'a'
4 if (b == 0) {
5 return a;
6 } else {
7 // If there is a carry, recursively call getSum with the following parameters:
8 // 1. a XOR b - This calculates the sum without carry
9 // 2. (a AND b) << 1 - This calculates the carry and shifts it one bit to the left, as carry affects the next higher bit
10 return getSum(a ^ b, (a & b) << 1);
11 }
12 }
13}
14
1class Solution {
2public:
3 int getSum(int a, int b) {
4 // Loop until there is no carry
5 while (b != 0) {
6 // Calculate the carry and cast to unsigned int to handle overflow
7 unsigned int carry = (unsigned int)(a & b) << 1;
8
9 // Perform XOR operation to add 'a' and 'b' without the carry
10 a = a ^ b;
11
12 // Assign the carry to 'b' for the next iteration
13 b = carry;
14 }
15
16 // Once 'b' is zero, there is no carry and 'a' has the sum result; return it.
17 return a;
18 }
19};
20
1function getSum(a: number, b: number): number {
2 // Loop until there is no carry.
3 while (b !== 0) {
4 // Calculate the carry, and use >>> 0 to ensure it is treated as an unsigned 32-bit integer.
5 let carry: number = (a & b) << 1 >>> 0;
6
7 // Perform XOR operation (add without carry).
8 a = a ^ b;
9
10 // Assign the carry to 'b' for the next iteration.
11 b = carry;
12 }
13
14 // Once 'b' is zero, there is no carry and 'a' has the sum; return 'a'.
15 return a;
16}
17
Time and Space Complexity
The given Python code is an implementation of bit manipulation to calculate the sum of two integers without using the +
operator. To analyze the time and space complexity, we'll consider each operation within the loop:
Time Complexity:
The while loop in the code runs as long as b
is not zero. Each iteration involves constant-time bit operations: AND
, SHIFT LEFT
, and XOR
. These operations themselves have a time complexity of O(1)
. However, the number of iterations of the loop depends on the values of a
and b
and when the carry will become 0. In the worst case, it will iterate approximately log C
times where C
is the maximum possible value for carry
. Considering 32-bit integers, the loop runs at most 32 times (the number of bits), thus the time complexity can be considered O(1)
for 32-bit integers, since it does not depend on the size of the input, but rather on the fixed number of bits used to represent the integers in memory.
Space Complexity:
The space complexity of the algorithm is O(1)
as well, as it uses a fixed number of integer variables (a
, b
, carry
) regardless of the input size. There is no use of dynamic memory allocation or data structures that grow with input size.
Learn more about how to find time and space complexity quickly using problem constraints.
What's the output of running the following function using input 56
?
1KEYBOARD = {
2 '2': 'abc',
3 '3': 'def',
4 '4': 'ghi',
5 '5': 'jkl',
6 '6': 'mno',
7 '7': 'pqrs',
8 '8': 'tuv',
9 '9': 'wxyz',
10}
11
12def letter_combinations_of_phone_number(digits):
13 def dfs(path, res):
14 if len(path) == len(digits):
15 res.append(''.join(path))
16 return
17
18 next_number = digits[len(path)]
19 for letter in KEYBOARD[next_number]:
20 path.append(letter)
21 dfs(path, res)
22 path.pop()
23
24 res = []
25 dfs([], res)
26 return res
27
1private static final Map<Character, char[]> KEYBOARD = Map.of(
2 '2', "abc".toCharArray(),
3 '3', "def".toCharArray(),
4 '4', "ghi".toCharArray(),
5 '5', "jkl".toCharArray(),
6 '6', "mno".toCharArray(),
7 '7', "pqrs".toCharArray(),
8 '8', "tuv".toCharArray(),
9 '9', "wxyz".toCharArray()
10);
11
12public static List<String> letterCombinationsOfPhoneNumber(String digits) {
13 List<String> res = new ArrayList<>();
14 dfs(new StringBuilder(), res, digits.toCharArray());
15 return res;
16}
17
18private static void dfs(StringBuilder path, List<String> res, char[] digits) {
19 if (path.length() == digits.length) {
20 res.add(path.toString());
21 return;
22 }
23 char next_digit = digits[path.length()];
24 for (char letter : KEYBOARD.get(next_digit)) {
25 path.append(letter);
26 dfs(path, res, digits);
27 path.deleteCharAt(path.length() - 1);
28 }
29}
30
1const KEYBOARD = {
2 '2': 'abc',
3 '3': 'def',
4 '4': 'ghi',
5 '5': 'jkl',
6 '6': 'mno',
7 '7': 'pqrs',
8 '8': 'tuv',
9 '9': 'wxyz',
10}
11
12function letter_combinations_of_phone_number(digits) {
13 let res = [];
14 dfs(digits, [], res);
15 return res;
16}
17
18function dfs(digits, path, res) {
19 if (path.length === digits.length) {
20 res.push(path.join(''));
21 return;
22 }
23 let next_number = digits.charAt(path.length);
24 for (let letter of KEYBOARD[next_number]) {
25 path.push(letter);
26 dfs(digits, path, res);
27 path.pop();
28 }
29}
30
Recommended Readings
Math for Technical Interviews How much math do I need to know for technical interviews The short answer is about high school level math Computer science is often associated with math and some universities even place their computer science department under the math faculty However the reality is that you
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!