How to Find All Duplicates in an Array using Python?

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

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) —

推荐阅读:
关于报刊亭的数学题  数学题:当甲车到达时,乙车距离工地还有24千米  数学题:光华小学中、高年级共有学生600名  数学题:求大阴影部分的面积  数学题:如何只用这2个水壶从池塘里取得3升的水  关于可能性的数学题  数学题:ABCD乘9等于DCBA,问ABCD各是数字几  数学题:乘积末尾有几个0  求解答:加工一批服装,每天加工300套,16天可以完成  数学题-这个工厂原有男工人多少名 
评论列表
添加评论