[JavaScript 刷题] Code Signal - 改变数组(arrayChange)
2021/9/9 12:33:56
本文主要是介绍[JavaScript 刷题] Code Signal - 改变数组(arrayChange),对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!
[JavaScript 刷题] Code Signal - 改变数组(arrayChange)
题目地址:arrayChange
题目
如下:
You are given an array of integers. On each move you are allowed to increase exactly one of its element by one. Find the minimal number of moves required to obtain a strictly increasing sequence from the input.
Example:
For inputArray = [1, 1, 1]
, the output should be arrayChange(inputArray) = 3
.
Input/Output:
-
[execution time limit] 4 seconds (js)
-
[input] array.integer inputArray
Guaranteed constraints:
3 ≤ inputArray.length ≤ 105
,-105 ≤ inputArray[i] ≤ 105
. -
[output] integer
The minimal number of moves needed to obtain a strictly increasing sequence from
inputArray
.It’s guaranteed that for the given test cases the answer always fits signed
32
-bit integer type.
解题思路
这道题主要就是问,当前数组是否是 严格增长 数组,即数组中的所有数字,下一个下标的数字必须大于上一个下标的数字。
如,[1, 1, 1]
需要改为 严格增长 数组,就需要将其改为 [1, 2, 3]
,而所需要花费的最小数字就是
2
−
1
+
3
−
1
=
2
2 - 1 + 3 - 1 = 2
2−1+3−1=2。
所以在这里就可以做一次迭代,检查 当前下标的值 是否比 上一个下标的值 大,如果不是,判断最少需要多少数字使得 当前下标的值 比 上一个下标的值 大,随后更新 当前下标的值,并将总数累积起来,最后返回。
记录一下这道题主要还是为了记录一下 array.reduce()
的使用,毕竟 array.reduce()
相对于其他函数来说,使用的频率确实低了不少。
使用 JavaScript 解题
-
使用 for 循环
如果对于
array.reduce()
的使用不是很了解,看这个版本就可以了。function arrayChange(inputArray) { let minDiff = 0; for (let i = 1; i < inputArray.length; i++) { let localDiff = 0; if (inputArray[i] <= inputArray[i - 1]) { localDiff = inputArray[i - 1] - inputArray[i] + 1; inputArray[i] += localDiff; minDiff += localDiff; } } return minDiff; } console.log(arrayChange([1, 1, 1]));
-
使用
array.reduce()
array.reduce()
可以接受 4 个参数,第一、第二个参数为必选项,第三、第四位可选项。第一个是累计的值,最后用来返回,第二个是当前正在遍历的值。
第三个参数为当前下标,第四个参数为当前正在遍历的数组。
function arrayChange(inputArray) { return inputArray.reduce((accu, curr, index, arr) => { if (index === 0) return 0; if (arr[index - 1] >= curr) { const localDiff = inputArray[index - 1] - curr + 1; inputArray[index] += localDiff; return (accu += localDiff); } return accu; }, 0); }
这篇关于[JavaScript 刷题] Code Signal - 改变数组(arrayChange)的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!
- 2024-11-26Mybatis官方生成器资料详解与应用教程
- 2024-11-26Mybatis一级缓存资料详解与实战教程
- 2024-11-26Mybatis一级缓存资料详解:新手快速入门
- 2024-11-26SpringBoot3+JDK17搭建后端资料详尽教程
- 2024-11-26Springboot单体架构搭建资料:新手入门教程
- 2024-11-26Springboot单体架构搭建资料详解与实战教程
- 2024-11-26Springboot框架资料:新手入门教程
- 2024-11-26Springboot企业级开发资料入门教程
- 2024-11-26SpringBoot企业级开发资料详解与实战教程
- 2024-11-26Springboot微服务资料:新手入门全攻略