如何对对象的数组列表进行排序

2022-09-03 09:04:04

我有ArrayList,其中包含足球队(班级团队)。团队有积分,我想按积分数排序。

 public class Team {
     private int points;
     private String name;

     public Team(String n)
     {
         name = n;
     }

     public int getPoints
     {
         return points;
     }

     public void addPoints(boolean win)
 {
            if (win==true)
            {
    points = points + 3;
            }

            else if (win==false)
            {
            points = points + 1;
            }

}
 //...
 }

主要类别:

 List<Team> lteams = new ArrayList<Team>;

 lteams.add(new Team("FC Barcelona"));
 lteams.add(new Team("Arsenal FC"));
 lteams.add(new Team("Chelsea"));

 //then adding 3 points to Chelsea and 1 point to Arsenal

 lteams.get(2).addPoints(true);
 lteams.get(1).addPoints(false);

 //And want sort teams by points (first index with most points). 

我做了我的比较器。

 public class MyComparator implements Comparator<Team> {


    @Override
    public int compare(Team o1, Team o2) {
        if (o1.getPoints() > o2.getPoints())
         {
             return 1;
         }
        else if (o1.getPoints() < o2.getPoints())
        {
            return -1;
        }
        return 0;    
    } 

}

现在我想使用它(在主类中)

 Colections.sort(lteams, new MyComparator());

我想看看:

  1. 切尔西
  2. 兵工厂
  3. 巴塞罗那

但它没有排序。


答案 1

来源 : 这里

您可以将 Collections.sort 与自定义 Comparator<Team> 一起使用

    class Team {
        public final int points;
        // ...
    };

    List<Team> players = // ...

    Collections.sort(players, new Comparator<Team>() {
        @Override public int compare(Team p1, Team p2) {
            return p1.points- p2.points;
        }

    });

或者,您可以制作可比<团队>。这定义了所有对象的自然排序。使用 更灵活,因为不同的实现可以按名称、年龄等排序。Team implementsTeamComparator

另请参见


为了完整起见,我应该提醒一下,由于可能存在溢出,必须极其谨慎地使用逐减比较快捷方式(阅读:有效的Java第2版:第12项:考虑实现可比较)。据推测,曲棍球不是一项球员可以进球的运动,其进球数量会导致问题=)return o1.f - o2.f

另请参见


答案 2
public class Team {
   private int points;
   private String name;

public Team(String n, int p) {
    name = n;
    points = p;
}

public int getPoints() {
    return points;
}

public String getName() {
    return name;
}

public static void main(String[] args) {
    List<Team> lteams = new ArrayList<Team>();

    lteams.add(new Team("FC Barcelona", 0));
    lteams.add(new Team("Arsenal FC", 2));
    lteams.add(new Team("Chelsea", 3));

    Collections.sort(lteams, new MyComparator());

    for (Team lteam : lteams) {
        System.out.println(lteam.name + ": " + lteam.points + " points");
    }
}

}

class MyComparator implements Comparator<Team> {
@Override
public int compare(Team o1, Team o2) {
    if (o1.getPoints() > o2.getPoints()) {
        return -1;
    } else if (o1.getPoints() < o2.getPoints()) {
        return 1;
    }
    return 0;
}}

输出:
切尔西: 3分
阿森纳 FC: 2分
巴塞罗那: 0分