这道题是一道正儿八经的数学题,1位数不存在重复数字的情况:
dp[1] = 10
2位数不出现重复数字的问题实际上就是求解:10个数字中取2个数字的排列问题,因为0不能作为首位,需要减去9种0为首部的情况,即
10! / 8! - 9 = 9 * 9
那么3位数不存在重复数字的情况为:
10! / 7! - 8 * 9 = 9 * 9 * 8
&esmp;最后得出通项公式:
dp[k] = 9 * 9 * .... * (9 - k + 2)
最终代码如下:
const countNumbersWithUniqueDigits = n => {
if (n == 0) {
return 1
}
let ans = 10, base = 9
for (let i = 2; i <= Math.min(10, n); i++) {
base = base * (9 - i + 2)
ans += base
}
return ans
}
定义状态:
dp[i]表示以第i个数结尾的最大连续子数组的和
边界状态:
dp[0] = nums[0]
转移方程为:
dp[i] = Math.max(dp[i - 1] + num, num)
接下来只要找出dp[i]中的最大值即可。
const maxSubArray = nums => {
const max = nums.length
if (!max) {
return 0
}
const dp = [nums[0]]
if (max === 1) {
return dp[0]
}
let ans = dp[0]
for (let i = 1; i < max; i++) {
const num = nums[i]
dp[i] = Math.max(dp[i - 1] + num, num)
ans = Math.max(ans, dp[i])
}
return ans
}
如果本文对您有帮助,欢迎关注微信公众号,为您推送更多大前端相关的内容, 欢迎留言讨论,ε=ε=ε=┏(゜ロ゜;)┛。
您还可以在这些地方找到我: