描述:
给定一个整数数组,除了某个元素外其余元素均出现两次。请找出这个只出现一次的元素。
备注:
你的算法应该是一个线性时间复杂度。 你可以不用额外空间来实现它吗?
实现:
#我的实现方法:利用count找出元素的个数,如果个数为1的就是要找的
class Solution(object):
def singleNumber(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
for i in nums:
n = nums.count(i)
if n ==1:
return i
但是这个方法的时间超时了,达不到题目的性能要求
可以利用Counter,可以将list转化成,list里面的value对应个数的字典
例如:numss = [2,2,1,1,1,3]
{1: 3, 2: 2, 3: 1}
from collections import Counter
class Solution(object):
def singleNumber(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
dict_nums = dict(Counter(nums))
nums_list = dict_nums.keys()
for i in nums_list:
if dict_nums[i]==1:
return i
楼下回复大神提示说可以先对list进行排序:想到一种方法:排序之后进行比较:
class Solution(object):
def singleNumber(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
nums.sort()
if len(nums)==1:
return nums[0]
else:
if nums[0] != nums[1]:
return nums[0]
elif nums[len(nums) - 1] != nums[len(nums) - 2]:
return nums[len(nums) - 1]
else:
for n in range(len(nums)):
if nums[n + 2] != nums[n + 1] and nums[n+2] != nums[n+3]:
return nums[n + 2]
根据大牛提示的每个元素异或的方式:
由于A XOR A = 0 且 ((A^A) ^ (B^B) ^ (C^C) ^ (D^D) ^ E) = ((0^ 0 ^ 0 ^ 0 ^ E) =E
直接把整个数组异或运算,最后的出来的就是只出现一次的数字了。
class Solution(object):
def singleNumber(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
ss = 0
for i in nums:
ss = ss^i
return ss
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。