标签:leetcode
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?
给定一个整数数组,其中除一个外每个元素都出现两次。找出那个。
说明:你的算法应该有线性的时间复杂性。你可以不用额外的内存来实现吗?
最直接的思路是使用哈希表来保存元素和出现的次数。但是使用了新的空间。
public int singleNumber(int[] A) { HashMap<Integer,Integer> map = new HashMap<Integer,Integer>(); for(int i=0;i<A.length;i++){ if(map.get(A[i]) != null) map.put(A[i], map.get(A[i])+ 1); else map.put(A[i], 1); } for(Map.Entry<Integer,Integer> m : map.entrySet()) if(m.getValue() == 1) return m.getKey(); return -1; }
一种比较巧妙的办法是使用异或,因为相同的元素经过异或运算后就变成了0。
public int singleNumber(int[] A) { int temp = 0; for(int i=0;i<A.length;i++) temp ^= A[i]; return temp; }比如:传入{2,2,4,3,3},计算过程如下:
temp = 0 A[0]=2
temp = 2
------------------
temp = 2 A[1]=2
temp = 0
------------------
temp = 0 A[2]=4
temp = 4
------------------
temp = 4 A[3]=3
temp = 7
------------------
temp = 7 A[4]=3
temp = 4
LeetCode——Single Number,布布扣,bubuko.com
标签:leetcode
原文地址:http://blog.csdn.net/laozhaokun/article/details/33757377