颠倒给定的 32 位无符号整数的二进制位。
示例:
输入: 43261596
输出: 964176192
解释: 43261596 的二进制表示形式为 00000010100101000001111010011100 ,
返回 964176192,其二进制表示形式为 00111001011110000010100101000000 。
一开始拿到这道题目很显然会想转成string,这样肯定会出错,需要注意的是这里必须满32位,因此使用位运算是最好的,之前学习位运算一直觉得没什么用,现在体会到其用处了
public class Solution {
// you need treat n as an unsigned value
public int reverseBits(int n) {
int result = 0;
int i = 0;
while(i < 32){
int temp = n & 1;
n = n>>1;
result = (result<<1) | temp;
i++;
}
return result;
}
}