Java에서 list 요소를 정렬하는 방법 상세 설명

3593 단어 Javalist정렬
Java Collection Framework에서 정의된 List에는 Vector, Array List 및 Linked List가 있습니다.이 집합들은 대상 그룹에 대한 색인 접근을 제공합니다.그들은 요소의 추가와 삭제 지원을 제공했다.그러나 내장된 요소 정렬 지원은 없습니다.
자바를 사용할 수 있습니다.util.Collections 클래스의 sort() 메서드는 List 요소를 정렬합니다.당신은 방법에 List 대상을 전달할 수도 있고, List와 Comparator를 전달할 수도 있습니다.만약 목록에 있는 요소가 모두 같은 유형의 클래스이고 이 클래스가Comparable 인터페이스를 실현한다면, 당신은 간단하게 Collections를 호출할 수 있습니다.sort().만약 이 종류가Comparator를 실현하지 못한다면, 당신도 방법sort()에 Comparator를 전달하여 정렬할 수 있습니다.부족한 분류 순서를 사용하지 않으려면,comparator를 방법sort () 에 전달해서 정렬할 수 있습니다.
1. 비교 객체의 Comparable 인터페이스 구현

public class Student implements Comparable { 
 private int id; 
 private int age; 
 private String name; 
 public Student(int id){ 
  this.id=id; 
 } 
 public int getId() { 
  return id; 
 } 
 
 public void setId(int id) { 
  this.id = id; 
 } 
 
 public int getAge() { 
  return age; 
 } 
 
 public void setAge(int age) { 
  this.age = age; 
 } 
 
 public String getName() { 
  return name; 
 } 
 
 public void setName(String name) { 
  this.name = name; 
 } 
 
  
  
 public static void main(String args[]){ 
  List<Student> list=new ArrayList<Student>(); 
  for(int i=1000;i>0;i--){ 
   list.add(new Student(i)); 
  } 
   
  Collections.sort(list); 
  for(Student s: list){ 
   System.out.println(s.getId()); 
  } 
 } 
 
 public int compareTo(Object o) { 
  if(o instanceof Student){ 
   Student s=(Student)o; 
   if(this.id>s.id){ 
    return 1; 
   } 
   else{ 
    return 0; 
   } 
  } 
  return -1; 
 } 
 
} 
2. 컬렉션을 이용한다.sort(Object o,Comparator c)

public class JiaMenuComparator implements Comparator{ 
 
 public int compare(Object o1, Object o2) { 
  if(null!=o1&&null!=o2) 
  { 
   JiaMenu menu1=(JiaMenu)o1; 
   JiaMenu menu2=(JiaMenu)o2; 
   if(menu1.getId()<menu2.getId()){ 
    return 1; 
   }else { 
    return 0; 
   } 
  } 
  return 0; 
 } 
  
} 
3. List 요소의 여러 속성을 정렬합니다(commons-beanutils 사용).
commons-beanutils 라이브러리에 BeanComparator 클래스가 있는데 자바빈을 정렬할 수 있습니다.그러나 이 종류는 한 번에 하나의 속성에만 정렬할 수 있다.다음은 BeanComparator를 이용하여 JavaBean의 여러 속성을 정렬하는 예입니다. 매우 간단합니다.

import org.apache.commons.beanutils.BeanComparator;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
 
/**
 *   List  
 */
@SuppressWarnings({"unchecked"})
public class ListSorter {
 
 /**
  * List  。  ListSorter.sort(list, "name", "age"), 
  * name  ,name   age  。
  *
  * @param list    List
  * @param properties  。 。
  */
 public static <V> void sort(List<V> list, final String... properties) {
  Collections.sort(list, new Comparator<V>() {
   public int compare(V o1, V o2) {
    if (o1 == null && o2 == null) return 0;
    if (o1 == null) return -1;
    if (o2 == null) return 1;
 
    for (String property : properties) {
     Comparator c = new BeanComparator(property);
     int result = c.compare(o1, o2);
     if (result != 0) {
      return result;
     }
    }
    return 0;
   }
  });
 }
}

좋은 웹페이지 즐겨찾기