978. Longest Turbulent Subarray

Ref: https://leetcode-cn.com/problems/longest-turbulent-subarray/

这道题使用滑动窗口解决(和为左右边界指针),主要难点在边界条件。大致思路如下:

  • 如果且,则;
  • 如果且,则;
  • 除此之外,还需注意的情况,在这种情况下,只需在与相等时,,而始终要进行。

主要代码如下:

class Solution:
    def maxTurbulenceSize(self, arr: List[int]) -> int:
        l = len(arr)
        if l == 0:
            return 0
        result = 1
        left = 0
        right = 0
        while right < l - 1:
            if left == right:
                if arr[right] == arr[right + 1]:
                    left += 1
                right += 1
            else:
                if arr[right - 1] > arr[right] and arr[right] < arr[right + 1]:
                    right += 1
                elif arr[right - 1] < arr[right] and arr[right] > arr[right + 1]:
                    right += 1
                else:
                    left = right
            result = max(result, right - left + 1)
            
        return result

你可能感兴趣的:(978. Longest Turbulent Subarray)