加载中...
1009-十进制整数的反码(Complement of Base 10 Integer)
发表于:2021-12-03 | 分类: 简单
字数统计: 689 | 阅读时长: 3分钟 | 阅读量:

原文链接: https://leetcode-cn.com/problems/complement-of-base-10-integer

英文原文

The complement of an integer is the integer you get when you flip all the 0's to 1's and all the 1's to 0's in its binary representation.

  • For example, The integer 5 is "101" in binary and its complement is "010" which is the integer 2.

Given an integer n, return its complement.

 

Example 1:

Input: n = 5
Output: 2
Explanation: 5 is "101" in binary, with complement "010" in binary, which is 2 in base-10.

Example 2:

Input: n = 7
Output: 0
Explanation: 7 is "111" in binary, with complement "000" in binary, which is 0 in base-10.

Example 3:

Input: n = 10
Output: 5
Explanation: 10 is "1010" in binary, with complement "0101" in binary, which is 5 in base-10.

 

Constraints:

  • 0 <= n < 109

 

Note: This question is the same as 476: https://leetcode.com/problems/number-complement/

中文题目

每个非负整数 N 都有其二进制表示。例如, 5 可以被表示为二进制 "101"11 可以用二进制 "1011" 表示,依此类推。注意,除 N = 0 外,任何二进制表示中都不含前导零。

二进制的反码表示是将每个 1 改为 0 且每个 0 变为 1。例如,二进制数 "101" 的二进制反码为 "010"

给你一个十进制数 N,请你返回其二进制表示的反码所对应的十进制整数。

 

示例 1:

输入:5
输出:2
解释:5 的二进制表示为 "101",其二进制反码为 "010",也就是十进制中的 2 。

示例 2:

输入:7
输出:0
解释:7 的二进制表示为 "111",其二进制反码为 "000",也就是十进制中的 0 。

示例 3:

输入:10
输出:5
解释:10 的二进制表示为 "1010",其二进制反码为 "0101",也就是十进制中的 5 。

 

提示:

  1. 0 <= N < 10^9
  2. 本题与 476:https://leetcode-cn.com/problems/number-complement/ 相同

通过代码

高赞题解

方法1: 异或运算法

class Solution {
public:
    int bitwiseComplement(int N) {
        
        if(N==0)
            return 1;
        
        int temp1 = 1;
        int temp2 = N;
        
        while(temp2>0){//不停用temp1对原整数进行异或运算,每次运算结束后将temp1朝左移动1位
            
            N ^= temp1;
            temp1 = temp1 << 1;
            temp2 = temp2 >> 1;
        }

        
        return N;
    }
};

方法2: 高位差值法

方法2是看评论学会的,很巧妙~

class Solution {
public:
    int bitwiseComplement(int N) {
        
        int temp = 2;
        
        while(temp<=N){
            
            temp = temp << 1;
        }
        
        return temp - N - 1;
        
    }
};

统计信息

通过次数 提交次数 AC比率
16917 28744 58.9%

提交历史

提交时间 提交结果 执行时间 内存消耗 语言
上一篇:
1008-前序遍历构造二叉搜索树(Construct Binary Search Tree from Preorder Traversal)
下一篇:
1010-总持续时间可被 60 整除的歌曲(Pairs of Songs With Total Durations Divisible by 60)
本文目录
本文目录