How to Find All Duplicates in an Array using Python?

  • 时间:2020-09-07 12:26:38
  • 分类:网络文摘
  • 阅读:153 次

Given an array of integers, 1 ≤ a[i] ≤ n (n = size of array), some elements appear twice and others appear once.

Find all the elements that appear twice in this array.

Could you do it without extra space and in O(n) runtime?

Example:
Input:
[4,3,2,7,8,2,3,1]

Output:
[2,3]

Using Python’s Collections.Counter to Find All Duplicates in Array

Using collections.Counter in Python allows us to count the frequencies of the elements in an array or list in Python. Then, we can use the List comprehensions to create a list of the duplicate elements in an array by checking their frequencies. Finally, we need to convert it to set, this allows us to filter out the duplicates in the duplicates.

1
2
3
4
class Solution:
    def findDuplicates(self, nums: List[int]) -> List[int]:
        c = collections.Counter(nums)
        return set([x for x in nums if c[x] > 1])
class Solution:
    def findDuplicates(self, nums: List[int]) -> List[int]:
        c = collections.Counter(nums)
        return set([x for x in nums if c[x] > 1])

This solution requires O(N) time and O(N) space as we are storing the frequencies in a dictionary object.

–EOF (The Ultimate Computing & Technology Blog) —

推荐阅读:
别样的中秋作文  静默地走在我的青春里的人们  那一段托管的日子作文  读《我把精灵带回家》有感  面对陌生作文1200字  搜索引擎优化的“时间”该如何确定?  如何根据用户需求来做SEO优化推广  百度竞价否定词添加成功后:怎么还能被搜索出来?  怎么理解关键词和SEO优化之间的关系  企业推广难题 选择百度竞价还是做SEO? 
评论列表
添加评论