1. 为某保险公司设计一个职工管理系统,其中职工类的属性有:职工编号,姓名,性别,团体险业绩,个体险业绩;方法有:
每个属性对应的set,get方法;
不带参数的构造方法;
带参数的构造方法,完成对职工属性的初始化;
该类实现接口Comparable,完成对职工总业绩的比较。
2. 设计一个类,实现Comparator接口,完成对团体险业绩的比较;
3. 在Main类中,创建一个职工的线性表,分别完成对职工线性表按照总业绩升序排序,按照团体险业绩升序排序。//总业绩=个险+团险
注意:不要设计键盘输入职工信息,可根据样例中提供的数据直接创建职工对象;
输入格式:
输出格式:
各项之间用逗号“,”分隔
输入样例:
在这里给出一组输入。例如:
输出样例:
在这里给出相应的输出。例如:
编号,团险,个险,姓名,性别
1,500,400,职工1,female
3,600,300,职工3,male
2,400,600,职工2,female
4,800,200,职工4,female
5,500,700,职工5,male
编号,团险,个险,姓名,性别
2,400,600,职工2,female
1,500,400,职工1,female
5,500,700,职工5,male
3,600,300,职工3,male
4,800,200,职工4,female
import java.util.*;
class Staff{
private int id;
private String name;
private String gender;
private int tuanxian;
private int gexian;
Staff(int id,int tuanxian,int gexian,String name,String gender){
this.id=id;
this.name=name;
this.gender=gender;
this.tuanxian=tuanxian;
this.gexian=gexian;
}
public int getId(){
return id;
}
public String getName(){
return name;
}
public String getGender(){
return gender;
}
public int getTuanxian(){
return tuanxian;
}
public int getGexian(){
return gexian;
}
public void setId(int id){
this.id=id;
}
public void setName(String name){
this.name=name;
}
public void setGender(String gender){
this.gender=gender;
}
public void setTuanxian(int tuanxian){
this.tuanxian=tuanxian;
}
public void setGexian(int gexian){
this.gexian=gexian;
}
public String toString(){
return id +"," + tuanxian + "," + gexian + "," + name + "," + gender;
}
}
class Totalyeji_Comparator implements Comparator<Staff>{
@Override
public int compare(Staff sta1,Staff sta2){
int total1=sta1.getTuanxian()+sta1.getGexian();
int total2=sta2.getTuanxian()+sta2.getGexian();
/*Integer.compare(a, b) 是一个静态方法,用于比较两个整数 a 和 b 的大小。
它的返回值表示了两个整数的大小关系。
如果 a 小于 b,则返回负数;
如果 a 等于 b,则返回零;
如果 a 大于 b,则返回正数。*/
return Integer.compare(total1,total2);
}
}
class Tuanxian_Comparator implements Comparator<Staff>{
@Override
public int compare(Staff sta1,Staff sta2){
return Integer.compare(sta1.getTuanxian(),sta2.getTuanxian());
}
}
public class Main{
public static void main(String[] args){
List<Staff> staffs = new ArrayList<>();
staffs.add(new Staff(1,500,400,"职工1","female"));
staffs.add(new Staff(3,600,300,"职工3","male"));
staffs.add(new Staff(2,400,600,"职工2","female"));
staffs.add(new Staff(4,800,200,"职工4","female"));
staffs.add(new Staff(5,500,700,"职工5","male"));
List<Staff> sorted1 = new ArrayList<>(staffs);
Collections.sort(sorted1,new Totalyeji_Comparator());
System.out.println("编号,团险,个险,姓名,性别");
for(Staff sta : sorted1){
System.out.println(sta.toString());
}
List<Staff> sorted2 = new ArrayList<>(staffs);
Collections.sort(sorted2,new Tuanxian_Comparator());
System.out.println("编号,团险,个险,姓名,性别");
for(Staff sta : sorted2){
System.out.println(sta.toString());
}
}
}
?
?