LeetCode - 1365 - 有多少小於當前數字的數字

lemon_lyue發表於2020-03-19

一、題目

  • 難度簡單

  • 題目連結https://leetcode-cn.com/problems/how-many-...

  • 語言: PHP

  • 題目內容

    給你一個陣列 nums,對於其中每個元素 nums[i],請你統計陣列中比它小的所有數字的數目。
    換而言之,對於每個 nums[i] 你必須計算出有效的 j 的數量,其中 j 滿足 j != i 且 nums[j] < nums[i] 。
    以陣列形式返回答案。
    示例 1
    輸入:nums = [8,1,2,2,3]
    輸出:[4,0,1,1,3]
    解釋:
    對於 nums[0]=8 存在四個比它小的數字:(1,2,2 和 3)。
    對於 nums[1]=1 不存在比它小的數字。
    對於 nums[2]=2 存在一個比它小的數字:(1)。
    對於 nums[3]=2 存在一個比它小的數字:(1)。
    對於 nums[4]=3 存在三個比它小的數字:(1,2 和 2)。
    示例 2
    輸入:nums = [6,5,4,8]
    輸出:[2,1,0,3]
    示例 3
    輸入:nums = [7,7,7,7]
    輸出:[0,0,0,0]
    提示:
    2 <= nums.length <= 500
    0 <= nums[i] <= 100

    二、解題

  • LeetCode給定函式體

    class Solution {
      /**
       * @param Integer[] $nums
       * @return Integer[]
       */
      function smallerNumbersThanCurrent($nums) {
    
      }
    }
  1. 暴力破解
class Solution {
    /**
     * 暴力解法
     * @param Integer[] $nums
     * @return Integer[]
     */
    function smallerNumbersThanCurrent($nums) {
        $arr = [];
        for ($i=0;$i<count($nums);$i++) {
            $num = 0;
            for ($j=0;$j<count($nums);$j++) {
                if ($i === $j) {
                    continue;
                }
                if ($nums[$i] > $nums[$j]) {
                    $num++;
                }
            }
            $arr[] = $num; 
        }
        return $arr;
    }
}

暴力破解結果:
LeetCode - 1365 - 有多少小於當前數字的數字(How Many Numbers Are Smaller Than the Current Number)

  1. 利用內建函式解題

    思路:先進行正序排序,排序後陣列下標就是比當前數字小的數目,但是需要避免重複數字時是否會影響結果。
    發現使用array_search()函式只查詢第一次出現的數字,所以避免了重複數字的問題。

class Solution {
    /**
     * @param Integer[] $nums
     * @return Integer[]
     */
    function smallerNumbersThanCurrent($nums) {
        $new_nums = $nums;
        sort($new_nums);
        $arr = [];
        for ($i=0;$i<count($nums);$i++) {
            $arr[] = array_search($nums[$i], $new_nums);
        }
        return $arr;
    }
}

提交結果:

LeetCode - 1365 - 有多少小於當前數字的數字(How Many Numbers Are Smaller Than the Current Number)

宣告

部落格文章皆為本人碼字原創,在文章創作過程中借鑑了其他學者論文、專著及其他文獻等,本人皆會在參考文獻中註明,如若侵犯您版權,請聯絡本人刪除。轉載本內容需註明出處!

本作品採用《CC 協議》,轉載必須註明作者和本文連結

相關文章