Leetcode題解之其他(3)顛倒二進位制位
阿新 • • 發佈:2018-12-02
題目:https://leetcode-cn.com/explore/interview/card/top-interview-questions-easy/26/others/66/
題目描述:
顛倒二進位制位
顛倒給定的 32 位無符號整數的二進位制位。
示例:
輸入: 43261596
輸出: 964176192
解釋: 43261596 的二進位制表示形式為 00000010100101000001111010011100 ,
返回 964176192,其二進位制表示形式為 00111001011110000010100101000000 。
思路:參考別人的思路。自己想的都是轉字串 轉字元陣列這些爛方法。
達到目的:將n的末位給res的首位,再調整它們的首位,末位。 每次賦值都將n右移位,將res左移1位。這裡賦值是用一個int temp = n&0x01 通過與運算來一位一位賦值,res獲得值也是有點技巧的 每次向左移一位後做或運算 (res<<1)| temp。
public class Solution { // you need treat n as an unsigned value public int reverseBits(int n) { int res = 0 ; int i =0; while(i<32){ int temp =n&0x01; n= n>>1; res = (res<<1)|temp; i++; } return res; } } 方法2: public class Solution { // you need treat n as an unsigned value public int reverseBits(int n) { int count =0; for(int i = 31;i>=;i--){ count = (n>>>i&1)<<(31-i)|count; } return count ; } }