# Bitwise Operations
A decimal number can be represented as a sequence of bits. To illustrate:
6 = 00000110
23 = 00010111
1
2
2
From the bitwise representation of numbers, we can calculate the bitwise AND, bitwise OR and bitwise XOR. Using the example above:
bitwiseAND(6, 23) ➞ 00000110
bitwiseOR(6, 23) ➞ 00010111
bitwiseXOR(6, 23) ➞ 00010001
1
2
3
4
5
2
3
4
5
Write three functions to calculate the bitwise AND, bitwise OR and bitwise XOR of two numbers.
# Examples
bitwiseAND(7, 12) ➞ 4
bitwiseOR(7, 12) ➞ 15
bitwiseXOR(7, 12) ➞ 11
1
2
3
4
5
2
3
4
5
# Notes
JavaScript has a useful function: toString(2), where you can see the binary representation of a decimal number.
# 解题思路
主要是求得 2 个数的与,或和异或
# 答案(仅供参考)
# 解法 1
与
function bitwiseAND(n1, n2) {
const arr = []
let large = 0
let small = 0
if (n2 > n1) {
large = n2
small = n1
} else {
large = n1
small = n2
}
const num1 = large
.toString(2)
.split('')
.reverse()
const num2 = small
.toString(2)
.split('')
.reverse()
num1.forEach((item, index) => {
if (index + 1 > num2.length) {
arr.push(0)
} else {
if (item === num2[index]) {
arr.push(item)
} else {
arr.push(0)
}
}
})
arr.reverse()
return parseInt(arr.join(''), 2)
}
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
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
或
function bitwiseOR(n1, n2) {
const arr = []
let large = 0
let small = 0
if (n2 > n1) {
large = n2
small = n1
} else {
large = n1
small = n2
}
const num1 = large
.toString(2)
.split('')
.reverse()
const num2 = small
.toString(2)
.split('')
.reverse()
num1.forEach((item, index) => {
if (index + 1 > num2.length) {
arr.push(item)
} else {
if (item === num2[index]) {
arr.push(item)
} else {
arr.push(1)
}
}
})
arr.reverse()
return parseInt(arr.join(''), 2)
}
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
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
异或
function bitwiseXOR(n1, n2) {
const arr = []
let large = 0
let small = 0
if (n2 > n1) {
large = n2
small = n1
} else {
large = n1
small = n2
}
const num1 = large
.toString(2)
.split('')
.reverse()
const num2 = small
.toString(2)
.split('')
.reverse()
num1.forEach((item, index) => {
if (index + 1 > num2.length) {
arr.push(1)
} else {
if (item === num2[index]) {
arr.push(0)
} else {
arr.push(1)
}
}
})
arr.reverse()
return parseInt(arr.join(''), 2)
}
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
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
# 解法 2(最优解)
function bitwiseAND(n1, n2) {
return n1 & n2
}
function bitwiseOR(n1, n2) {
return n1 | n2
}
function bitwiseXOR(n1, n2) {
return n1 ^ n2
}
1
2
3
4
5
6
7
8
9
10
11
2
3
4
5
6
7
8
9
10
11