1. 程式人生 > 程式設計 >php資料流中第K大元素的計算方法及程式碼分析

php資料流中第K大元素的計算方法及程式碼分析

設計一個找到資料流中第K大元素的類(class)。注意是排序後的第K大元素,不是第K個不同的元素。

計算方法

1、直接使用最小堆,堆的大小為 k,這樣保證空間佔用最小,最小堆的根節點是就是最小值,也是我們想要的結果。

2、的spl標準庫是有最小堆這個庫,直接在程式碼中繼承SplMinHeap。

例項

class Kthwww.cppcns.comLargest extends SplMinHeap {

    /**
    * @param Integer $k
    * @param Integer[] $nums
    */
    static $nums;
    public $k;
    function __construct($k,$nums) {
        $this->k = $k;
        // 遍歷初始化陣列,分別插入堆中
        foreach ($nums as $v) {
            $this->add($v);
        }
    }
   
    * @param Integer $val
    * @return Integer
    function add($val) {
       // 維持http://www.cppcns.com
堆的大小為k,當堆還未滿時,插入資料。 if ($this->count() < $this->k) { $this->insert($val); } elseif ($this->top() < $val) { // 當堆滿的時候,比較要插入元素和堆頂元素大小。大於堆頂的插入。堆頂移除www.cppcns.com。 $this->extract(); return $this->top(); }} * Your KthLargest object will be instantiated and called as such: * $obj = KthLargest($k,$nums); * $ret_1 = $obj->add($val);

例項擴充套件:

class KthLargest {
    /**
     * @param Integer $k
     * @param Integer[] $nums
     */
    static $nums;
    public $k;
    function __construct($k,$nums) {
        $this->k = $k;
        $this->nums = $nums;
    }
  
    /**
     * @param Integer $val
     * @return Integer
     *www.cppcns.com
/ function add($val) { array_push($this->nums,$val); rsort($this->nums); return $thishttp://www.cppcns.com->nums[$this->k - 1]; } }

第一個思路,時間超限的原因是每次都要對$this->nums這個陣列,進行重新排序,上次已經排序好的,還要再重新排一次,浪費時間。所以,下面的解法是,每次只儲存,上次排序完的前k個元素。這次的進行排序的次數就減少了。時間也減少了。

class KthLargest {
    /**
     * @param Integer $k
     * @param Integer[] $nums
     */
    static $nums;
    public $k;
    function __construct($k,$nums) {
        $this->k = $k;
        $this->nums = $nums;
    }
  
    /**
     * @param Integer $val
     * @return Integer
     */
    function add($val) {
        array_push($this->nums,$val);
        rsort($this->nums);
        $this->nums = array_slice($this->nums,$this->k);
        
        return $this->nums[$this->k - 1];
    }
}

到此這篇關於php資料流中第K大元素的計算方法及程式碼分析的文章就介紹到這了,更多相關php資料流中第K大元素的計算方法內容請搜尋我們以前的文章或繼續瀏覽下面的相關文章希望大家以後多多支援我們!