地址:https://leetcode-cn.com/problems/dui-lie-de-zui-da-zhi-lcof/php
<?php /** 請定義一個隊列並實現函數 max_value 獲得隊列裏的最大值,要求函數max_value、push_back 和 pop_front 的均攤時間複雜度都是O(1)。 若隊列爲空,pop_front 和 max_value 須要返回 -1 示例 1: 輸入: ["MaxQueue","push_back","push_back","max_value","pop_front","max_value"] [[],[1],[2],[],[],[]] 輸出: [null,null,null,2,1,2] 示例 2: 輸入: ["MaxQueue","pop_front","max_value"] [[],[],[]] 輸出: [null,-1,-1] 來源:力扣(LeetCode) 連接:https://leetcode-cn.com/problems/dui-lie-de-zui-da-zhi-lcof 著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。 */ class MaxQueue { /** */ public $max_value_queue; public $queue; function __construct() { $this->max_value_queue = []; $this->queue = []; } /** * @return Integer */ function max_value() { //取第一個元素 return empty($this->max_value_queue) ? -1:$this->max_value_queue[0]; } /** * @param Integer $value * @return NULL */ function push_back($value) { //往正常數組新增value //便利max_value_queue數組,獲得最大值 array_push($this->queue,$value); while(!empty($this->max_value_queue) && $this->max_value_queue[count($this->max_value_queue)-1] < $value){ array_pop($this->max_value_queue); } array_push($this->max_value_queue,$value); } /** * @return Integer */ function pop_front() { //彈出第一個元素 //若是彈出的元素等於最大值,則刪除最大值 if(empty($this->queue)) return -1; $value = array_shift($this->queue); if($value == $this->max_value_queue[0]){ array_shift($this->max_value_queue); } return $value; } } /** * Your MaxQueue object will be instantiated and called as such: * $obj = MaxQueue(); * $ret_1 = $obj->max_value(); * $obj->push_back($value); * $ret_3 = $obj->pop_front(); */