最长的子数组,仅包含严格增加的数字JavaScript

我们需要编写一个JavaScript函数,该函数将数字数组作为第一个也是唯一的参数。

然后,该函数应从仅以严格递增的顺序包含元素的数组中返回最长连续子数组的长度。

严格增加的顺序是任何后续元素都大于其所有先前元素的序列。

示例

const arr = [5, 7, 8, 12, 4, 56, 6, 54, 89];
const findLongest = (arr) => {
   if(arr.length == 0) {
      return 0;
   };
   let max = 0;
   let count = 0;
   for(let i = 1; i < arr.length; i++) {
      if(arr[i] > arr[i-1]) {
         count++; }
      else {
         count = 0;
      }
      if(count > max) {
         max = count;
      }
   }
   return max + 1;
};
console.log(findLongest(arr));

输出结果

控制台中的输出将是-

4