Skip to content

Latest commit

 

History

History
82 lines (64 loc) · 2.37 KB

665-non-decreasing-array.md

File metadata and controls

82 lines (64 loc) · 2.37 KB

665. Non-decreasing Array - 非递减数列

给定一个长度为 n 的整数数组,你的任务是判断在最多改变 1 个元素的情况下,该数组能否变成一个非递减数列。

我们是这样定义一个非递减数列的: 对于数组中所有的 i (1 <= i < n),满足 array[i] <= array[i + 1]

示例 1:

输入: [4,2,3]
输出: True
解释: 你可以通过把第一个4变成1来使得它成为一个非递减数列。

示例 2:

输入: [4,2,1]
输出: False
解释: 你不能在只改变一个元素的情况下将其变为非递减数列。

说明:  n 的范围为 [1, 10,000]。


题目标签:Array

题目链接:LeetCode / LeetCode中国

题解

Language Runtime Memory
python3 72 ms N/A
class Solution:
    def checkPossibility(self, nums):
        """
        :type nums: List[int]
        :rtype: bool
        """
        '''
        Testcase
        [3,4,2,3]
        [2,3,3,2,4]
        [2,9,3,5]
        '''
        if len(nums) < 3:
            return True
        tmp = list(nums)
        flag = False
        for i in range(1, len(tmp)-1):
            a, b, c = tmp[i-1], tmp[i], tmp[i+1]
            if a <= b <= c:
                continue
            else:
                if a > b > c:
                    return False
                if flag:
                    return False
                else:
                    flag = True
                    if a == c and b < a:
                        tmp[i] = a
                    elif a == b and c < a:
                        tmp[i+1] = a
                    elif b > c > a or c > a > b:
                        tmp[i] = a
                    elif b > a > c:
                        tmp[i+1] = b
                    elif a > c > b:
                        tmp[i-1] = b
        return True