배열에서 모든 K-거리 인덱스 찾기

1925 단어 theabbieleetcodedsa
인덱스가 0인 정수 배열nums과 두 개의 정수keyk가 제공됩니다. k-distant 인덱스는 inums와 같은 인덱스j가 적어도 하나 존재하는 |i - j| <= k의 인덱스nums[j] == key입니다.

오름차순으로 정렬된 모든 k 거리 인덱스 목록을 반환합니다.

예 1:

입력: 숫자 = [3,4,9,1,3,9,5], 키 = 9, k = 1
출력: [1,2,3,4,5,6]
설명: 여기, nums[2] == keynums[5] == key. - For index 0, |0 - 2| > k and |0 - 5| > k, so there is no j 여기서 |0 - j| <= knums[j] == key. Thus, 0 is not a k-distant index. - For index 1, |1 - 2| <= k and nums[2] == key, so 1 is a k-distant index. - For index 2, |2 - 2| <= k and nums[2] == key, so 2 is a k-distant index. - For index 3, |3 - 2| <= k and nums[2] == key, so 3 is a k-distant index. - For index 4, |4 - 5| <= k and nums[5] == key, so 4 is a k-distant index. - For index 5, |5 - 5| <= k and nums[5] == key, so 5 is a k-distant index. - For index 6, |6 - 5| <= k and nums[5] == key, so 6 is a k-distant index.따라서 오름차순으로 정렬된 [1,2,3,4,5,6]을 반환합니다.

예 2:

입력: 숫자 = [2,2,2,2,2], 키 = 2, k = 2
출력: [0,1,2,3,4]
설명: 숫자의 모든 인덱스 i에 대해 |i - j|를 만족하는 인덱스 j가 존재합니다. <= k 및 nums[j] == 키이므로 모든 인덱스는 k 거리 인덱스입니다.
따라서 [0,1,2,3,4]를 반환합니다.

제약:
  • 1 <= nums.length <= 1000
  • 1 <= nums[i] <= 1000
  • keynums 배열의 정수입니다.
  • 1 <= k <= nums.length

  • 해결책:

    class Solution:
        def findKDistantIndices(self, nums: List[int], key: int, k: int) -> List[int]:
            n = len(nums)
            indices = set()
            for i, el in enumerate(nums):
                if el == key:
                    for j in range(max(i - k, 0), min(i + k + 1, n)):
                        indices.add(j)
            return sorted(indices)
    

    좋은 웹페이지 즐겨찾기