内容简介:Given an array of integers and an integer给定一个整数数组和一个整数使用字典来进行处理。
题目描述
- 英文:
Given an array of integers and an integer k , find out whether there are two distinct indices i and j in the array such that nums[i] = nums[j] and the absolute difference between i and j is at most k .
- 中文:
给定一个整数数组和一个整数 k ,判断数组中是否存在两个不同的索引 i 和 j ,使得 nums [i] = nums [j] ,并且 i 和 j 的差的绝对值最大为 k 。
示例
- 示例 1:
输入: nums = [1,2,3,1], k = 3 输出: true
- 示例 2:
输入: nums = [1,0,1,1], k = 1 输出: true
- 示例 3:
输入: nums = [1,2,3,1,2,3], k = 2 输出: false
题解
- 题解 1
使用字典来进行处理。
class Solution:
def containsNearbyDuplicate(self, nums, k):
"""
:type nums: List[int]
:type k: int
:rtype: bool
"""
length = len(nums)
if length <= 1:
return False
dic = {}
for i in range(length):
if nums[i] in dic:
if i-dic[nums[i]] <= k:
return True
dic[nums[i]] = i
return False
可以使用 217. Contains Duplicate 题中的方法稍作改进,使用 set() 方法得到不重复元素的集合,然后判断列表长度是否等于集合的长度,如果是则表示列表中没有重复的元素,直接返回 False。否则,进行上面的操作来做进一步的判断。
class Solution:
def containsNearbyDuplicate(self, nums, k):
"""
:type nums: List[int]
:type k: int
:rtype: bool
"""
length = len(nums)
if length == len(set(nums)): # 改进的地方
return False
if length <= 1:
return False
dic = {}
for i in range(length):
if nums[i] in dic:
if i-dic[nums[i]] <= k:
return True
dic[nums[i]] = i
return False
- 题解 2
使用集合,集合中只存放 k 个元素,即满足题目要求的两个索引 i 和 j 的差的绝对值最大为。遍历数组,每次判断元素是否在集合中,如果在,则表示有满足条件的重复元素,返回 True,并且每次都将元素加入到集合中,判断集合中元素个数是否大于 k,如果大于,则将第一个元素移除,保证集合中元素的索引与当前元素的索引相差最大为 k,即只考虑当前元素的前面 k 个元素。
class Solution:
def containsNearbyDuplicate(self, nums, k):
"""
:type nums: List[int]
:type k: int
:rtype: bool
"""
record = set()
for i in range(len(nums)):
if nums[i] in record: # 有满足条件的重复元素
return True
record.add(nums[i]) # 加入到集合
if len(record) == k + 1: # 保证集合中只有 k 个元素
record.remove(nums[i - k]) # 移除最前面的元素
return False
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持 码农网
猜你喜欢:本站部分资源来源于网络,本站转载出于传递更多信息之目的,版权归原作者或者来源机构所有,如转载稿涉及版权问题,请联系我们。
C++标准模板库编程实战
Ivor Horton / 郭小虎、程聪 / 2017-1
《C++标准模板库编程实战》介绍最新的C++14标准的API、库和扩展,以及如何将它们运用到C++14程序中。在书中,作者Ivor Horton 则阐述了什么是STL,以及如何将它们应用到程序中。我们将学习如何使用容器、迭代器,以及如何定义、创建和应用算法。此外,还将学习函数对象和适配器,以及它们的用法。 阅读完本书之后,你将能够了解如何扩展STL,如何定义自定义类型的C++组件,你还将能够......一起来看看 《C++标准模板库编程实战》 这本书的介绍吧!