I have an ArrayList with some objects that contains 3 parameters (id, name, salary). Unsorted list:
public class Employee {
private int id;
private String name;
private double salary;
public Employee(int _id, String _name, double _salary) {
this.id = _id;
this.name = _name;
this.salary = _salary;
}
public int getEmployeeID () {
return this.id;
}
public String getEmployeeName () {
return this.name;
}
public double getMonthSalary() {
return this.salary;
}
public static void main(String[] argc) {
ArrayList<Employee> list = new ArrayList<Employee>();
list.add(new Employee(1, "asd", 1300));
list.add(new Employee(7, "asds", 14025)); // this
list.add(new Employee(2, "nikan", 1230));
list.add(new Employee(3, "nikalo", 12330));
list.add(new Employee(8, "aaaa", 14025)); // and this are equal
list.add(new Employee(4, "nikaq", 140210));
list.add(new Employee(5, "nikas", 124000));
list.add(new Employee(6, "nikab", 14020));
}
}
And I want to sort list by salary, and if salaries are equal then sort their names alphabetically. I tried to use Collections.sort();, but it sorts by all of arguments.
e.g: 14025 and 14025 are equal, so sort this one by name: asds, aaaa --> aaaa, asds
Here's what I tried:
for (int i = 0; i < list.size() - 1; i++) {
for (int j = 0; j < list.size() - 1; j++) {
boolean isSorted = false;
if (list.get(j + 1).getMonthSalary() > list.get(j).getMonthSalary()) {
Employee temprary = list.get(j);
list.set(j, list.get(j + 1));
list.set(j + 1, temprary);
isSorted = true;
}
if (isSorted) {
if (list.get(j).getMonthSalary() == list.get(j + 1).getMonthSalary()) {
Collections.sort(list, new Comparator < Employee > () {
@Override
public int compare(Employee s1, Employee s2) {
return s1.getEmployeeName().compareToIgnoreCase(s2.getEmployeeName());
}
});
}
}
}
}