• OJ练习第180题——颠倒二进制位


    颠倒二进制位

    力扣链接:190. 颠倒二进制位

    题目描述

    颠倒给定的 32 位无符号整数的二进制位。

    提示:

    请注意,在某些语言(如 Java)中,没有无符号整数类型。在这种情况下,输入和输出都将被指定为有符号整数类型,并且不应影响您的实现,因为无论整数是有符号的还是无符号的,其内部的二进制表示形式都是相同的。
    在 Java 中,编译器使用二进制补码记法来表示有符号整数。因此,在 示例 2 中,输入表示有符号整数 -3,输出表示有符号整数 -1073741825。

    示例

    在这里插入图片描述

    Java代码

    public class Solution {
        public int reverseBits(int n) {
            return Integer.reverse(n);
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    public class Solution {
        public int reverseBits(int n) {
            int res = 0;
            for(int i = 0; i < 32 && n != 0; i++) {
                res |= (n & 1) << (31 - i);
                n >>>= 1;
            }
            return res;
        }
    }
    //在某些语言(如Java)中,没有无符号整数类型,
    //因此对 n 的右移操作应使用逻辑右移。
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    //位运算分治
    public class Solution {
        private static final int M1 = 0x55555555; // 01010101010101010101010101010101
        private static final int M2 = 0x33333333; // 00110011001100110011001100110011
        private static final int M4 = 0x0f0f0f0f; // 00001111000011110000111100001111
        private static final int M8 = 0x00ff00ff; // 00000000111111110000000011111111
    
        public int reverseBits(int n) {
            n = n >>> 1 & M1 | (n & M1) << 1;
            n = n >>> 2 & M2 | (n & M2) << 2;
            n = n >>> 4 & M4 | (n & M4) << 4;
            n = n >>> 8 & M8 | (n & M8) << 8;
            return n >>> 16 | n << 16;
        }
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
  • 相关阅读:
    如何做一个api接口
    spring创建bean的三种方式
    verilog 流水线控制
    Steam游戏怎么选服务器
    arm架构,django4.2.7适配达梦8数据库
    ccf等会议排行参考
    【云原生 | 从零开始学Kubernetes】三、Kubernetes集群管理工具kubectl
    AI实战 | 手把手带你打造校园生活助手
    电商平台如何实现分账功能?
    java中怎么获取字符的ASCII码
  • 原文地址:https://blog.csdn.net/weixin_45662626/article/details/133201932