双指针, 右侧指针遍历直至和 s >= k 或者 r == n; 判断 s 的值,更新最小数组长度

#
# 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
#
# 
# @param nums int整型一维数组 
# @param k int整型 
# @return int整型
#
class Solution:
    def shortestSubarray(self , nums: List[int], k: int) -> int:
        # write code here
        l = r = 0
        n = len(nums)
        min_l = float("inf")
        s = 0
        while l < n:
            while r < n and s < k:
                s += nums[r]
                r += 1
            if s >= k:
                min_l = min(min_l, r - l)
            s -= nums[l]
            l += 1
        return min_l if min_l != float("inf") else -1