Java Stream How to - Sort by property value








Question

We would like to know how to sort by property value.

Answer

//from   www  .  j a  v a  2 s  .c o m
import java.util.Arrays;
import java.util.List;


public class Main{
  public static void main(String[] argv){
    List<Person> persons = Arrays.asList(new Person("Joe", 12), new Person("Jim", 34), new Person("John", 23));
    persons.sort((p1,p2) -> p1.getFirstName().compareTo(p2.getFirstName()));
    persons.forEach(p -> System.out.println(p.getFirstName()));
  }
}
class MyWrapper {
  private Person person;

  public MyWrapper(Person person) {
      this.person = person;
  }

  public Person getPerson() {
      return person;
  }

  public void setPerson(Person person) {
      this.person = person;
  }
}
class Person {
    private String firstName;
    private String lastName;
    private int age;

    public Person(String firstName) {
        this.firstName = firstName;
    }

    public Person(String firstName, int age) {
        this.firstName = firstName;
        this.age = age;
    }

    public String getFirstName() {
        return firstName;
    }

    public void setFirstName(String firstName) {
        this.firstName = firstName;
    }

    public String getLastName() {
        return lastName;
    }

    public void setLastName(String lastName) {
        this.lastName = lastName;
    }

    public int getAge() {
        return age;
    }

    public void setAge(int age) {
        this.age = age;
    }

    @Override
    public String toString() {
      return "Person [firstName=" + firstName + ", lastName=" + lastName
          + ", age=" + age + "]";
    }
    
}

The code above generates the following result.