371. Sum of Two Integers 两数求和

Calculate the sum of two integers a and b, but you are not allowed to use the operator + and -.
Example:
Given a = 1 and b = 2, return 3.
实现两个整数的加法,不允许使用+-号。


思路
利用bit操作,sum保存不算进位情况下的和,carry保存进位(两个对应bit都是1才有进位,所以利用&再左移一位即可)

class Solution {
public:
    int getSum(int a, int b) {
        if(b==0)    return a;         //不含进位的情况
        int sum=0,carry=0;
        sum=a^b;                      //不算进位的情况下计算和
        carry=(a&b)<<1;               //进位
        return getSum(sum,carry);
    }
};

你可能感兴趣的:(371. Sum of Two Integers 两数求和)