转载请注明出处:z_zhaojun的博客
原文地址
题目地址
Missing Number
Given an array containing n distinct numbers taken from 0, 1, 2, ..., n, find the one that is missing from the array.
For example,
Given nums = [0, 1, 3] return 2.
Note:
Your algorithm should run in linear runtime complexity. Could you implement it using only constant extra space complexity?
思考:前面做过几个算法,都是通过转换为二进制级别的计算来解决的,今天一看到这个题目一开始也行使用相应方法来解决,可是一时没想到好的方法。正捉急时又想到可以设定一个值,让它等于n!,然后去除以数组中非0数,结果又发现就是设一个long型的值也只能存到48!。不过这倒是让我灵光一闪,与其弄一个阶乘出来还不如弄一个“^”来连接0到n,要知道2个相同的数异或的结果为零,因此就可以弄一个0异或到n的值来依次异或数组中的每个值,结果就是缺失的那一个数。
具体代码(Java):
public class Solution {
public int missingNumber(int[] nums) {
int xor = 0;
for(int i = 0; i < nums.length; i++) {
xor ^= i ^ nums[i];
}
return xor ^ nums.length;
}
}