-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy path07-01_reversing_bits_and_bytes.go
68 lines (60 loc) · 2.03 KB
/
07-01_reversing_bits_and_bytes.go
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
68
package hd
func ReverseByte(b byte) byte {
b = ((b & 0x55) << 1) | ((b & 0xAA) >> 1)
b = ((b & 0x33) << 2) | ((b & 0xCC) >> 2)
return (b << 4) | (b >> 4)
}
// ReverseBits (rev) reverses bits in x using divide and conquer.
func ReverseBits(x uint32) uint32 {
x = ((x & 0x5555_5555) << 1) | ((x & 0xAAAA_AAAA) >> 1)
x = ((x & 0x3333_3333) << 2) | ((x & 0xCCCC_CCCC) >> 2)
x = ((x & 0x0F0F_0F0F) << 4) | ((x & 0xF0F0_F0F0) >> 4)
x = ((x & 0x00FF_00FF) << 8) | ((x & 0xFF00_FF00) >> 8)
x = ((x & 0x0000_FFFF) << 16) | ((x & 0xFFFF_0000) >> 16)
return x
}
// shlr15 rotates left 15 bits
func shlr15(x uint32) uint32 { return (x << 15) | (x >> 17) }
// ReverseBits2 uses Knuth algorithm. It is using 21 RISC instructions.
func ReverseBits2(x uint32) uint32 {
var t uint32
x = shlr15(x)
t = (x ^ (x >> 10)) & 0x003F_801F
x = (t | (t << 10)) ^ x
t = (x ^ (x >> 4)) & 0x0E03_8421
x = (t | (t << 4)) ^ x
t = (x ^ (x >> 2)) & 0x2248_8842
x = (t | (t << 2)) ^ x
return x
}
func ReverseBits64Knuth(x uint64) uint64 {
var t uint64
x = (x << 31) | (x >> 33) // I.e., shlr(x, 31)
t = (x ^ (x >> 20)) & 0x0000_0FFF_8000_07FF
x = (t | (t << 20)) ^ x
t = (x ^ (x >> 8)) & 0x00F8_000F_8070_0807
x = (t | (t << 8)) ^ x
t = (x ^ (x >> 4)) & 0x0808_7090_8080_7008
x = (t | (t << 4)) ^ x
t = (x ^ (x >> 2)) & 0x1111_1111_1111_1111
x = (t | (t << 2)) ^ x
return x
}
// TODO: ReverseBits64Knuth2
// TODO: Generalized bit reversal from [GLS1].
func Reverse8Bit(x uint32) uint32 {
u := x * 0x0002_0202
var m uint32 = 0x0104_4010
s := u & m
t := (u << 2) & (m << 1)
return (0x0100_1001) * (s + t) >> 24
}
// IncrReversed value is used in Fast Furier Transform (FFT)
// when computing reversed and incrementing is used in the loop.
// However, computing reversed takes 29 instructions, and lookup table for large values of is not practical.
// Thus storing previous reversed value and incrementing reversed is useful.
// This executes in 5 RISC instructions.
func IncrReversed(x uint32) uint32 {
s := LeadingZerosUint32(^x)
return ((x << s) + 0x8000_0000) >> s
}