Question:
Given an array of integers, every element appears twice except for one. Find that single one.
Note:
Your algorithm should have a linear runtime complexity. Could you implement it without using extra memory?
在九章算法里面,她有一个更加有意思的名字,叫做“寻找单身狗”,并且把她归类为“贪心”算法范畴(不太理解为何归为贪心算法?)。
Analysis:
问题描述:给出一组数据,除只有一个数字出现1次外,每个数字出现两次。找出只出现一次的数字。
注意:你的算法应该在线性时间内运行,且不使用额外的空间。
由该题目联系java中的位运算。java中有3种位运算操作符:
^ 异或。 相同为0,相异为1; 任何数与0异或都等于原值。 & 与。 全1为1, 有0为0;任何数与0异或都等于0。 (短路功能) | 或。 有1为1, 全0为0。任何数与0或都等于原值。 <<左移。 补0。 >> 右移。 符号位是0补0,是1补1。 >>>无符号右移。 补0。 ~ 非。 逐位取反
因此在该题目中考虑位运算。看异或。异或运算具有交换律。相同为0,不同为1. 那么一个数n ^ n = 0, 而0 与任何数异或都为该数本身。因此成对出现的数一定都配对成0了,剩最后一个单身狗,0 ^ 单身狗 = 单身狗本身。
Answer:
public class Solution { public int singleNumber(int[] nums) { if(nums == null || nums.length == 0) return 0; int result = 0; for(int i=0; i<nums.length; i++) { result = result ^ nums[i]; } return result; } }