题目:
搜狐员工小王最近利用假期在外地旅游,在某个小镇碰到一个马戏团表演,精彩的表演结束后发现团长正和大伙在帐篷前激烈讨论,小王打听了下了解到, 马戏团正打算出一个新节目“最高罗汉塔”,即马戏团员叠罗汉表演。考虑到安全因素,要求叠罗汉过程中,站在某个人肩上的人应该既比自己矮又比自己瘦,或相等。 团长想要本次节目中的罗汉塔叠的最高,由于人数众多,正在头疼如何安排人员的问题。小王觉得这个问题很简单,于是统计了参与最高罗汉塔表演的所有团员的身高体重,并且很快找到叠最高罗汉塔的人员序列。 现在你手上也拿到了这样一份身高体重表,请找出可以叠出的最高罗汉塔的高度,这份表中马戏团员依次编号为1到N。
输入:
首先一个正整数N,表示人员个数。
之后N行,每行三个数,分别对应马戏团员编号,体重和身高。
6
1 65 100
2 75 80
3 80 100
4 60 95
5 82 101
6 81 70
输出:
正整数m,表示罗汉塔的高度。
4
解析:
1. 先人总结的得分点,妈的,不能当成一个条件进行比较。
体重相同时,只有身高也相同才可以站在自己肩上,比自己矮是不能站在自己肩上的。理解费劲,不说清楚。
解题所需函数:
1. 排序,无敌
Arrays.sort(arhat, new Comparator<People>() {
// 比较p1和p2之间的数据
public int compare(People p1, People p2) {
// 比较p1和怕p2中height项
int result = Integer.compare(p1.height, p2.height);
// 如果不相等,返回height中的结果
if (result != 0){
return result;
}
// 如果相等,返回weight中的结果
else{
return Integer.compare(p1.weight, p2.weight);
}
}
});
代码:
import java.util.*;
public class Main {
// 创建静态class,用于记录数据
static class People {
int height;
int weight;
// 初始化,没毛病
public People(int weight, int height) {
this.height = height;
this.weight = weight;
}
}
// 创建主函数
public static void main(String[] args) {
// 创建Scanner,用于录入数据
Scanner scan = new Scanner(System.in);
while (scan.hasNext()) {
// 一共有多少组数据
int n = scan.nextInt();
// 创建People数组,名称为arhat--罗汉,名字要符合题目内容,不然不爽
People[] arhat = new People[n];
for (int i = 0; i < n; ++i) {
// 读取序列,然后根据序列将数据存入archat
int index = scan.nextInt();
// 起始位置为0
arhat[index - 1] = new People(scan.nextInt(), scan.nextInt());
}
// 排列问题,这个我说过,得背下来,传入要比较的数组和数组结构new Comparator<People>
Arrays.sort(arhat, new Comparator<People>() {
// 比较p1和p2之间的数据
public int compare(People p1, People p2) {
// 比较p1和怕p2中height项
int result = Integer.compare(p1.height, p2.height);
// 如果不相等,返回height中的结果
if (result != 0){
return result;
}
// 如果相等,返回weight中的结果
else{
return Integer.compare(p1.weight, p2.weight);
}
}
});
// 用于记录
int[] dp = new int[n];
// max定义为最小值,没毛病 Integer.MIN_VALUE
int max = Integer.MIN_VALUE;
// 针对dp.length来遍历,dp.length也就是n
for (int i = 0; i < dp.length; ++i) {
// 初始化,
dp[i] = 1;
// 从该点,看之前的点,也就是自下向上找点
for (int j = i - 1; j >= 0; --j) {
// 根据题目中的条件进行,原本序列是按照height优先排序,然后优先weight排序
// 身高相同,体重轻的计入统计,体重相同,身高矮的不计入统计,两者均相等统计
if (arhat[i].weight > arhat[j].weight || (arhat[i].weight == arhat[j].weight && arhat[i].height == arhat[j].height)) {
// 计数大师,统计相对较大的数字,j点是之前获得的当前节点最多的罗汉数目
dp[i] = Math.max(dp[i], dp[j] + 1);
}
}
// 遍历结束,更新最大值
max = Math.max(dp[i], max);
}
System.out.println(max);
}
}
}