剑指offer_003
作者:互联网
剑指 Offer 03. 数组中重复的数字
难度简单878收藏分享切换为英文接收动态反馈
找出数组中重复的数字。
在一个长度为 n 的数组 nums 里的所有数字都在 0~n-1 的范围内。数组中某些数字是重复的,但不知道有几个数字重复了,也不知道每个数字重复了几次。请找出数组中任意一个重复的数字。
示例 1:
输入:
[2, 3, 1, 0, 2, 5, 3]
输出:2 或 3
限制:
2 <= n <= 100000
import random
from typing import List
# Python3 方法一: 先排序,然后看相邻元素是否有相同的,有直接return。 不过很慢,时间O(nlogn)了,空间O(1)
class Solution:
def findRepeatNumber1(self, nums: List[int]) -> int:
nums.sort()
pre = nums[0]
for index in range(1, len(nums)):
if nums[index] == pre:
return pre
pre = nums[index]
# 方法二: 哈希表 时间O(n),空间O(n)
def findRepeatNumber2(self, nums: List[int]) -> int:
# 字典 根据字典的键是否存在,来判断此数是否重复
repeatDict = {}
for num in nums:
if num not in repeatDict:
repeatDict[num] = 1
else:
return num
nums = [1, 2, 3, 1, 1, 1, 2, 3, 4]
def main():
s = Solution()
print(s.findRepeatNumber1(nums))
print(s.findRepeatNumber2(nums))
if __name__ == '__main__':
main()
标签:pre,__,nums,重复,offer,003,int,num 来源: https://www.cnblogs.com/nbsys/p/16428024.html