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:
Input: nums = [1,2,2,4]
Output: [2,3]
Approach:
C++
#include <bits/stdc++.h>using namespace std;vector<int> findErrorNums(vector<int> &nums){vector<int> res;int n = nums.size();map<int, int> mp;for (int i = 0; i < n; i++){mp[nums[i]]++;}int duplicate, missing;for (int i = 1; i <= n; i++){if (mp[i] > 1){duplicate = i;}if (mp[i] == 0){missing = i;}}res.push_back(duplicate);res.push_back(missing);return res;}int main(){vector<int> nums = {1, 2, 2, 4};vector<int> res = findErrorNums(nums);for (int i = 0; i < res.size(); i++){cout << res[i] << " ";}return 0;}
 
No comments:
Post a Comment