dp#水题#箱子模型总结
程序员文章站
2022-07-27 20:36:16
题目描述已知三个int数组w,l,h,分别表示每个箱子宽、长和高,同时给定箱子的数目n。请设计算法,将箱子都堆起来(箱子不能反转),且上面箱子的宽度和长度必须小于下面的箱子。返回值为能够堆出的最高的高度。要求n小于等于500。测试样例:[1,1,1],[1,1,1],[1,1,1]返回:1import java.util.*;public class Box { static class Block{ int w; int l;...
题目描述
已知三个int数组w,l,h,分别表示每个箱子宽、长和高,同时给定箱子的数目n。请设计算法,将箱子都堆起来(箱子不能反转),且上面箱子的宽度和长度必须小于下面的箱子。返回值为能够堆出的最高的高度。要求n小于等于500。
测试样例:
[1,1,1],[1,1,1],[1,1,1]
返回:1
import java.util.*;
public class Box {
static class Block{
int w;
int l;
int h;
}
public int getHeight(int[] w, int[] l, int[] h, int n) {
// write code here
Block[] list = new Block[n];
for(int i=0;i<n;++i) {
list[i] = new Block();
list[i].w = w[i];
list[i].h = h[i];
list[i].l = l[i];
}
Arrays.sort(list, (Block i,Block j) -> j.w -i.w);
int h_max = list[0].h;
//dp 表示 当前箱子的最大高度
int[] dp = new int[n];
for(int i=0;i<n;++i) {
dp[i] = list[i].h;
int tempH = 0;
for(int j=0;j<i;++j) {
if(list[j].l > list[i].l) {
tempH = Math.max(dp[j],tempH);
}
}
dp[i] += tempH;
h_max = Math.max(dp[i],h_max);
}
return h_max;
}
}
本文地址:https://blog.csdn.net/qq_43923045/article/details/109812915