LeetCode(217)——Contains Duplicate

題目:

Given an array of integers, find if the array contains any duplicates.

Your function should return true if any value appears at least twice in the array, and it should return false if every element is distinct.

Example 1:

Input: [1,2,3,1]
Output: true

Example 2:

Input: [1,2,3,4]
Output: false

Example 3:

Input: [1,1,1,3,3,4,3,2,4,2]
Output: true

 

重複元素,第一反應就是set。

AC:

    public boolean containsDuplicate(int[] nums) {
        if (nums == null || nums.length <= 1){
            return false;
        }
        
        Set<Integer> set = new HashSet<>();
        for (int i : nums) {
            if (set.contains(i)) {
                return true;
            }
            
            set.add(i);
        }
        
        return false;
    }

26ms,才擊敗了30%,肯定不是最優解。這個時間複雜度是O(n)的。比O(n)更快的,那就是O(logn),想到了排序。

如果有相同元素,排序後相同元素必然相鄰。

    public boolean containsDuplicate(int[] nums) {
        if (nums == null || nums.length <= 1){
            return false;
        }
        
        Arrays.sort(nums);
        int len = nums.length;
        for (int i = 0; i < len - 1; i++) {
            if (nums[i] == nums[i + 1]) {
                return true;
            }
        }
        
        return false;
    }

9ms。

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章