forked from TheAlgorithms/Python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathreverse_bits.py
67 lines (59 loc) · 1.88 KB
/
reverse_bits.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
def get_reverse_bit_string(bn : int) -> str:
""" return the bit string of an interger
"""
bit_string = ""
for trk in range(0, 32):
bit_string += str(bn % 2)
bn = bn >> 1
return bit_string
def reverse_bit(n: int) -> str:
"""
Take in an 32 bit integer, reverse its bits,
return a string of reverse bits
result of a reverse_bit and operation on the integer provided.
>>> reverse_bit(25)
'00000000000000000000000000011001'
>>> reverse_bit(37)
'00000000000000000000000000100101'
>>> reverse_bit(21)
'00000000000000000000000000010101'
>>> reverse_bit(58)
'00000000000000000000000000111010'
>>> reverse_bit(0)
'00000000000000000000000000000000'
>>> reverse_bit(256)
'00000000000000000000000100000000'
>>> reverse_bit(-1)
Traceback (most recent call last):
...
ValueError: the value of input must be positive
>>> reverse_bit(1.1)
Traceback (most recent call last):
...
TypeError: Input value must be a 'int' type
>>> reverse_bit("0")
Traceback (most recent call last):
...
TypeError: '<' not supported between instances of 'str' and 'int'
"""
if n < 0:
raise ValueError("the value of input must be positive")
elif isinstance(n, float):
raise TypeError("Input value must be a 'int' type")
elif isinstance(n, str):
raise TypeError("'<' not supported between instances of 'str' and 'int'")
ans = 0
# iterator over [1 to 32],since we are dealing with 32 bit integer
for i in range(1, 33):
# left shift the bits by unity
ans = ans << 1
# get the end bit
k = n % 2
# right shif the bits by unity
n = n >> 1
# add that bit to our ans
ans = ans | k
return get_reverse_bit_string(ans)
if __name__ == "__main__":
import doctest
doctest.testmod()