mirror of
https://github.com/aljazceru/cryptoanarchywiki.github.io.git
synced 2025-12-17 05:04:21 +01:00
858 B
858 B
layout, title, date, categories
| layout | title | date | categories | ||
|---|---|---|---|---|---|
| post | Reverse Bit [CF] | 2016-05-22 04:04:23 +0700 |
|
Author Question: Giappi
I have an integer number, which I want to reverse by following steps:
- Convert the number into binary string.
- Reverse binary string.
- Convert the reversed binary string back to integer.
Can you help me write a function to do it ?
Example
For x = 234, the output should be ReverseBit(x) = 87.
23410 = 111010102 => 010101112 = 8710.
Input/Output
-
[input] integer x A non-negative integer.
-
[output] integer x reversed as described above.
Solution:
def ReverseBit(x):
x = bin(x).replace('0b', '')
reverse_text = ''
for l in range(len(x)-1, -1, -1):
reverse_text = reverse_text + x[l]
return int(reverse_text, 2)
>>> ReverseBit(234)
87
>>>