LeetCode刷题实战343:整数拆分
程序IT圈
共 1710字,需浏览 4分钟
·
2021-08-09 20:41
Given an integer n, break it into the sum of k positive integers, where k >= 2, and maximize the product of those integers.
Return the maximum product you can get.
示例
示例 1:
输入: 2
输出: 1
解释: 2 = 1 + 1, 1 × 1 = 1。
示例 2:
输入: 10
输出: 36
解释: 10 = 3 + 3 + 4, 3 × 3 × 4 = 36。
解题
动态规格
在状态转移的时候,如果该整数大于其拆分后的结果,那么用该整数本身;否则,用该整数对应的拆分结果。
class Solution {
public:
int integerBreak(int n) {
vector<int> dp(n + 1, 0);
dp[2] = 1;
for(int i = 3; i <= n; ++i){
for(int j = 1; j <= i / 2; ++j){
dp[i] = max(dp[i], (dp[j] > j ? dp[j] : j) * (dp[i - j] > i - j ? dp[i - j] : i - j));
}
}
return dp[n];
}
};
评论