0645-set-mismatch

Try it on leetcode

Description

You have a set of integers s, which originally contains all the numbers from 1 to n. Unfortunately, due to some error, one of the numbers in s got duplicated to another number in the set, which results in repetition of one number and loss of another number.

You are given an integer array nums representing the data status of this set after the error.

Find the number that occurs twice and the number that is missing and return them in the form of an array.

 

Example 1:

Input: nums = [1,2,2,4]
Output: [2,3]

Example 2:

Input: nums = [1,1]
Output: [1,2]

 

Constraints:

  • 2 <= nums.length <= 104
  • 1 <= nums[i] <= 104

Solution(Python)

class Solution:
    def findErrorNums(self, nums: List[int]) -> List[int]:
        return self.constantspace(nums)
        
    def sorted(self, nums: List[int]) -> List[int]:
        n = len(nums)
        nums.sort()
        dup = -1
        missing = 1
        for i in range(n):
            if nums[i] == nums[i-1]:
                dup = nums[i]
            elif nums[i] > nums[i-1] + 1:
                missing  = nums[i-1] + 1
        return [dup,  n if nums[-1] != n  else missing ]

    def hashmap(self, nums: List[int]) -> List[int]:
        hashmap = {}

        for num in nums:
            if num not in hashmap:
                hashmap[num] = 1
            else:
                hashmap[num] += 1
        n = len(nums)
        missing = 1
        dup = -1
        for i in range(1,n+1):
            if i not in hashmap:
                missing = i
            elif hashmap[i] == 2:
                dup = i
        return [dup, missing]

    def constantspace(self, nums: List[int]) -> List[int]:
        dup = -1
        missing = 1

        for num in nums:# 2, -2
            if nums[abs(num)-1] < 0:
                dup = abs(num)  # dup = 2
            else:
                nums[abs(num)-1] = -nums[abs(num)-1]
        n = len(nums)
        for i in range(n): # 0 1   | 
            if nums[i] > 0:
                missing = i + 1
        return [dup,missing]