位运算实现加法
- 不进位加法 异或实现
- 只算进位 与运算然后左移
- 两部分相加
1
2
3
4
5
6
7
8public int Add(int num1,int num2) {
while (num2 != 0) {
int carry = (num1 & num2) << 1;
num1 ^= num2;
num2 = carry;
}
return num1;
}
二进制数字中1的个数
测试发现负数在计算机中是以补码的形式存在的,按位与测试也是补码的形式,不过在打印的时候变成了原码形式
1 | public int NumberOf1(int n) { |
数值的整数次方
- 直接思路
如果exponent小于0,计算结果为
1 / (base^-exponent)
然后考虑base为0时,结果为0,base是浮点数,不能直接比较是否相等,Math.abs(base) <1e-6比较,科学计数法,e分割底数与指数
exponent为0时,结果为1
1 | public double Power(double base, int exponent) { |
优化,预处理负数的乘方
result = 1; result *= base;
base = 0时, result 为0;
exponent=0时,不乘方,结果为1,边界情况仍然满足
1 | public double Power(double base, int exponent) { |
- 位运算
为了使用位运算而用位运算,导致问题反而复杂了
1 | public double Power(double base, int exponent) { |
- 递归
1 | public double Power(double base, int exponent) { |
优化 减少一层递归,上面的方法exponent,到0时才返回,0的上一层肯定是1, 在1的时候可以直接返回base,判断0是为了判断exponent输入是0的情况,可以单独拎出来处理
1 | public double Power(double base, int exponent) { |
数组中只出现一次的两个数字
- 利用set
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
26public int[] FindNumsAppearOnce (int[] array) {
// write code here
List<Integer> list = new ArrayList<>();
Set<Integer> set = new HashSet<>();
// 利用集合找出重复项,并保存在list中
for (int i=0; i<array.length; i++) {
if (!set.add(array[i])) {
list.add(array[i]);
}
}
int[] result = new int[2];
int resultIndex = 0;
// 遍历array,利用indexOf判断是否在list中,找出不重复的数组
for (int i=0; i<array.length; i++) {
int index = list.indexOf(array[i]);
if (index == -1) {
result[resultIndex++] = array[i];
}
}
if (result[0] > result[1]) {
int temp = result[0];
result[0] = result[1];
result[1] = temp;
}
return result;
} - 利用异或,即模2加 满足题目要求的空间O(1)
相同数字异或运算结果为0,如果数组中只有1个不重复的数字,那么对整个数组异或运算,得到的最终结果就是这个不重复的数字,我们可以把这个数组拆分成两个子数组,两个不重复的数字,分别位于这两个数组中,并且数组中重复数字都是成对的,这样对每个子数组异或运算,就能得到最后的两个不重复数字
关键在于如何把不重复的数字放到两个子数组中,且保证数组中的重复数字都是成对出现的,我们先把整个数组异或,找到一个为1的二进制位,假设改位为i。异或为1,说明两个不重复数字的i位一个为0,一个为1,我们根据这个标准就能把两个不重复数字区分开,并且相同数字的i位肯定是相同的,就会分到相同的数组中
1 | public int[] FindNumsAppearOnce (int[] array) { |
求1+2+3+…+n
- 递归
不能用if,结束递归,if的作用是,当n为1时,不再继续递归,直接返回某个值,可以利用短路与,满足某个条件时不再递归
1 | public int Sum_Solution(int n) { |
优化
1 | public int Sum_Solution(int n) { |