Skip to content

Commit 8b7fcac

Browse files
committed
feat: update solutions to lc problem: No.0896
No.0896.Monotonic Array
1 parent 3fe6393 commit 8b7fcac

File tree

4 files changed

+26
-15
lines changed

4 files changed

+26
-15
lines changed

solution/0800-0899/0895.Maximum Frequency Stack/README.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -62,7 +62,7 @@ freqStack.pop ();//返回 4 ,因为 4, 5 和 7 出现频率最高,但 4 是
6262

6363
我们可以使用哈希表 $cnt$ 记录每个元素出现的频率,用一个优先队列(大根堆) $q$ 维护元素频率以及对应的压栈时间戳。
6464

65-
执行压栈操作时,我们先将当前时间戳加一,即 $ts \gets ts + 1$;然后将元素 $x$ 的频率加一,即 $cnt[val] \gets cnt[val] + 1$,最后将三元组 $(cnt[val], ts, val)$ 加入优先队列 $q$ 中。压栈操作的时间复杂度为 $O(\log n)$。
65+
执行压栈操作时,我们先将当前时间戳加一,即 $ts \gets ts + 1$;然后将元素 $val$ 的频率加一,即 $cnt[val] \gets cnt[val] + 1$,最后将三元组 $(cnt[val], ts, val)$ 加入优先队列 $q$ 中。压栈操作的时间复杂度为 $O(\log n)$。
6666

6767
执行弹栈操作时,我们直接从优先队列 $q$ 中弹出一个元素即可。由于优先队列 $q$ 中的元素按照频率降序排序,因此弹出的元素一定是出现频率最高的元素。如果存在多个元素出现频率相同,那么弹出最接近栈顶的元素,即弹出时间戳最大的元素。弹出后,我们将弹出元素的频率减一,即 $cnt[val] \gets cnt[val] - 1$。弹栈操作的时间复杂度为 $O(\log n)$。
6868

solution/0800-0899/0896.Monotonic Array/README.md

+14-5
Original file line numberDiff line numberDiff line change
@@ -51,12 +51,13 @@
5151

5252
<!-- 这里可写通用的实现逻辑 -->
5353

54-
遍历数组:
54+
**方法一:一次遍历**
5555

56-
- 出现递增,将 `isIncr` 置为 `true`
57-
- 出现递减,将 `isDecr` 置为 `true`
58-
- 既是递增也是递减,提前返回 `false`
59-
- 正常遍历结束,返回 `true`
56+
遍历数组,如果出现递增或递减的情况,记录下来。判断是否出现过递增和递减的情况,如果都出现过,说明不是单调数组,返回 `false`
57+
58+
否则遍历结束,说明是单调数组,返回 `true`
59+
60+
时间复杂度 $O(n)$,空间复杂度 $O(1)$。其中 $n$ 为数组长度。
6061

6162
<!-- tabs:start -->
6263

@@ -78,6 +79,14 @@ class Solution:
7879
return True
7980
```
8081

82+
```python
83+
class Solution:
84+
def isMonotonic(self, nums: List[int]) -> bool:
85+
incr = all(a <= b for a, b in pairwise(nums))
86+
decr = all(a >= b for a, b in pairwise(nums))
87+
return incr or decr
88+
```
89+
8190
### **Java**
8291

8392
<!-- 这里可写当前语言的特殊实现逻辑 -->

solution/0800-0899/0896.Monotonic Array/README_EN.md

+8
Original file line numberDiff line numberDiff line change
@@ -60,6 +60,14 @@ class Solution:
6060
return True
6161
```
6262

63+
```python
64+
class Solution:
65+
def isMonotonic(self, nums: List[int]) -> bool:
66+
incr = all(a <= b for a, b in pairwise(nums))
67+
decr = all(a >= b for a, b in pairwise(nums))
68+
return incr or decr
69+
```
70+
6371
### **Java**
6472

6573
```java
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,5 @@
11
class Solution:
22
def isMonotonic(self, nums: List[int]) -> bool:
3-
isIncr = isDecr = False
4-
for i, v in enumerate(nums[1:]):
5-
if v < nums[i]:
6-
isIncr = True
7-
elif v > nums[i]:
8-
isDecr = True
9-
if isIncr and isDecr:
10-
return False
11-
return True
3+
incr = all(a <= b for a, b in pairwise(nums))
4+
decr = all(a >= b for a, b in pairwise(nums))
5+
return incr or decr

0 commit comments

Comments
 (0)