Leetcode 劍指 Offer 03. 陣列中重複的數字

有夢想的coder發表於2020-11-17

找出陣列中重複的數字。

在一個長度為 n 的陣列 nums 裡的所有數字都在 0~n-1 的範圍內。陣列中某些數字是重複的,但不知道有幾個數字重複了,也不知道每個數字重複了幾次。請找出陣列中任意一個重複的數字。

示例 1:

輸入:
[2, 3, 1, 0, 2, 5, 3]
輸出:2 或 3

限制:

2 <= n <= 100000

1.排序
時間:O(nlogn) 空間: O(1)

程式碼



// #include "swap.h"

#include<iostream>
#include<string>
#include <vector>
#include <algorithm>

using namespace std;

class Solution {
public:
    int findRepeatNumber(vector<int>& nums) {
        sort(nums.begin(),nums.end());
        for(int i = 0; i < nums.size()-1; ++i)
        {
            if(nums[i] == nums[i+1])    return nums[i];
        }   
        return -1;
    }
};

int main()
{
    Solution s;
    vector<int> prices{2, 3, 1, 0, 2, 5, 3};
    s.findRepeatNumber(prices);
    cout << s.findRepeatNumber(prices) << endl;

	system("pause");
	return 0;
}

2.雜湊
時間:O(n) 空間:O(n)

程式碼


// #include "swap.h"

#include<iostream>
#include<string>
#include <vector>
#include <algorithm>
#include <unordered_map>

using namespace std;

class Solution {
public:
    int findRepeatNumber(vector<int>& nums) {
        unordered_map <int,int> m; 
        for(int num : nums)
        {
            if(++m[num] > 1)    return num;
        }   
        return -1;
    }
};


int main()
{
    Solution s;
    vector<int> prices{2, 3, 1, 0, 2, 5, 3};
    s.findRepeatNumber(prices);
    cout << s.findRepeatNumber(prices) << endl;

	system("pause");
	return 0;
}

3.原地雜湊
時間:O(n) 空間:O(1)
因為陣列值的範圍小於陣列的大小,我們可以通過下標實現雜湊的功能,將陣列元素放到與自身值相等的下標處,如果出現重複返回重複數字

程式碼


// #include "swap.h"

#include<iostream>
#include<string>
#include <vector>
#include <algorithm>
#include <unordered_map>

using namespace std;

class Solution {
public:
    int findRepeatNumber(vector<int>& nums) {
        for(int i = 0; i < nums.size(); ++i)
        {
            while(nums[i] != i)     //當前元素不等於下標
            {
                if(nums[i] == nums[nums[i]])    return nums[i];
                swap(nums[i],nums[nums[i]]);            
            }
        }   
        return -1;
    }
};



int main()
{
    Solution s;
    vector<int> prices{2, 3, 1, 0, 2, 5, 3};
    s.findRepeatNumber(prices);
    cout << s.findRepeatNumber(prices) << endl;

	system("pause");
	return 0;
}

相關文章