Skip to content

Latest commit

 

History

History
64 lines (46 loc) · 1.51 KB

476-number-complement.md

File metadata and controls

64 lines (46 loc) · 1.51 KB

476. Number Complement - 数字的补数

给定一个正整数,输出它的补数。补数是对该数的二进制表示取反。

注意:

  1. 给定的整数保证在32位带符号整数的范围内。
  2. 你可以假定二进制数不包含前导零位。

示例 1:

输入: 5
输出: 2
解释: 5的二进制表示为101(没有前导零位),其补数为010。所以你需要输出2。

示例 2:

输入: 1
输出: 0
解释: 1的二进制表示为1(没有前导零位),其补数为0。所以你需要输出0。

题目标签:Bit Manipulation

题目链接:LeetCode / LeetCode中国

题解

Language Runtime Memory
cpp 4 ms 8.2 MB
class Solution {
public:
    int findComplement(int num) {
        bool flag = false;
        for (int i = 31; i >= 0; i--) {
            if (num & (1 << i)) {
                flag = true;
                num ^= (1 << i);
            } else {
                if (flag) {
                    num ^= (1 << i);
                }
            }
        }
        return num;
    }
};