사용자 정의 정렬 순서를 사용하여 객체의 ArrayList 정렬
주소록 응용 프로그램에 정렬 기능을 구현하려고합니다.
을 정렬하고 싶습니다 ArrayList<Contact> contactArray
. Contact
이름, 집 번호, 휴대폰 번호 및 주소의 네 가지 필드가 포함 된 클래스입니다. 에 정렬하고 싶습니다 name
.
이를 위해 사용자 정의 정렬 함수를 작성하려면 어떻게해야합니까?
객체 순서에 대한 자습서는 다음과 같습니다.
몇 가지 예를 들지만 어쨌든 읽을 것을 권장합니다.
을 정렬하는 다양한 방법이 있습니다 ArrayList
. 자연스러운 (기본) 순서 를 정의 하려면 Contact
implementation 을 허용해야합니다 Comparable
. 기본적으로 on으로 정렬하려는 name
경우 수행합니다 (간단 성을 위해 null 검사는 생략).
public class Contact implements Comparable<Contact> {
private String name;
private String phone;
private Address address;
public int compareTo(Contact other) {
return name.compareTo(other.name);
}
// Add/generate getters/setters and other boilerplate.
}
당신이 할 수 있도록
List<Contact> contacts = new ArrayList<Contact>();
// Fill it.
Collections.sort(contacts);
외부 제어 가능 순서 를 정의하려면 (자연 순서를 무시) 다음을 작성해야합니다 Comparator
.
List<Contact> contacts = new ArrayList<Contact>();
// Fill it.
// Now sort by address instead of name (default).
Collections.sort(contacts, new Comparator<Contact>() {
public int compare(Contact one, Contact other) {
return one.getAddress().compareTo(other.getAddress());
}
});
Comparator
s Contact
자체를 정의하여 매번 다시 작성하는 대신 재사용 할 수 있습니다.
public class Contact {
private String name;
private String phone;
private Address address;
// ...
public static Comparator<Contact> COMPARE_BY_PHONE = new Comparator<Contact>() {
public int compare(Contact one, Contact other) {
return one.phone.compareTo(other.phone);
}
};
public static Comparator<Contact> COMPARE_BY_ADDRESS = new Comparator<Contact>() {
public int compare(Contact one, Contact other) {
return one.address.compareTo(other.address);
}
};
}
다음과 같이 사용할 수 있습니다.
List<Contact> contacts = new ArrayList<Contact>();
// Fill it.
// Sort by address.
Collections.sort(contacts, Contact.COMPARE_BY_ADDRESS);
// Sort later by phone.
Collections.sort(contacts, Contact.COMPARE_BY_PHONE);
그리고 꼭대기에 크림을 뿌리려면 일반적인 javabean 비교기 를 사용하는 것이 좋습니다 .
public class BeanComparator implements Comparator<Object> {
private String getter;
public BeanComparator(String field) {
this.getter = "get" + field.substring(0, 1).toUpperCase() + field.substring(1);
}
public int compare(Object o1, Object o2) {
try {
if (o1 != null && o2 != null) {
o1 = o1.getClass().getMethod(getter, new Class[0]).invoke(o1, new Object[0]);
o2 = o2.getClass().getMethod(getter, new Class[0]).invoke(o2, new Object[0]);
}
} catch (Exception e) {
// If this exception occurs, then it is usually a fault of the developer.
throw new RuntimeException("Cannot compare " + o1 + " with " + o2 + " on " + getter, e);
}
return (o1 == null) ? -1 : ((o2 == null) ? 1 : ((Comparable<Object>) o1).compareTo(o2));
}
}
다음과 같이 사용할 수 있습니다.
// Sort on "phone" field of the Contact bean.
Collections.sort(contacts, new BeanComparator("phone"));
(코드에서 볼 수 있듯이 정렬 중에 NPE를 피하기 위해 null 필드가 이미 포함되어있을 수 있습니다)
이미 게시 된 것 외에도 Java 8부터 코드를 단축하고 다음과 같이 작성할 수 있습니다.
Collection.sort(yourList, Comparator.comparing(YourClass::getFieldToSortOn));
또는 List에 sort
메소드 가 있으므로
yourList.sort(Comparator.comparing(YourClass::getFieldToSortOn));
설명:
Since Java 8, functional interfaces (interfaces with only one abstract method - they can have more default or static methods) can be easily implemented using:
- lambdas
arguments -> body
- or method references
source::method
.
Since Comparator<T>
has only one abstract method int compare(T o1, T o2)
it is functional interface.
So instead of (example from @BalusC answer)
Collections.sort(contacts, new Comparator<Contact>() {
public int compare(Contact one, Contact other) {
return one.getAddress().compareTo(other.getAddress());
}
});
we can reduce this code to:
Collections.sort(contacts, (Contact one, Contact other) -> {
return one.getAddress().compareTo(other.getAddress());
});
We can simplify this (or any) lambda by skipping
- argument types (Java will infer them based on method signature)
- or
{return
...}
So instead of
(Contact one, Contact other) -> {
return one.getAddress().compareTo(other.getAddress();
}
we can write
(one, other) -> one.getAddress().compareTo(other.getAddress())
Also now Comparator
has static methods like comparing(FunctionToComparableValue)
or comparing(FunctionToValue, ValueComparator)
which we could use to easily create Comparators which should compare some specific values from objects.
In other words we can rewrite above code as
Collections.sort(contacts, Comparator.comparing(Contact::getAddress));
//assuming that Address implements Comparable (provides default order).
This page tells you all you need to know about sorting collections, such as ArrayList.
Basically you need to
- make your
Contact
class implement theComparable
interface by- creating a method
public int compareTo(Contact anotherContact)
within it.
- creating a method
- Once you do this, you can just call
Collections.sort(myContactList);
,- where
myContactList
isArrayList<Contact>
(or any other collection ofContact
).
- where
There's another way as well, involving creating a Comparator class, and you can read about that from the linked page as well.
Example:
public class Contact implements Comparable<Contact> {
....
//return -1 for less than, 0 for equals, and 1 for more than
public compareTo(Contact anotherContact) {
int result = 0;
result = getName().compareTo(anotherContact.getName());
if (result != 0)
{
return result;
}
result = getNunmber().compareTo(anotherContact.getNumber());
if (result != 0)
{
return result;
}
...
}
}
BalusC and bguiz have already given very complete answers on how to use Java's built-in Comparators.
I just want to add that google-collections has an Ordering class which is more "powerful" than the standard Comparators. It might be worth checking out. You can do cool things such as compounding Orderings, reversing them, ordering depending on a function's result for your objects...
Here is a blog post that mentions some of its benefits.
You need make your Contact classes implement Comparable, and then implement the compareTo(Contact)
method. That way, the Collections.sort will be able to sort them for you. Per the page I linked to, compareTo 'returns a negative integer, zero, or a positive integer as this object is less than, equal to, or greater than the specified object.'
For example, if you wanted to sort by name (A to Z), your class would look like this:
public class Contact implements Comparable<Contact> {
private String name;
// all the other attributes and methods
public compareTo(Contact other) {
return this.name.compareTo(other.name);
}
}
By using lambdaj you can sort a collection of your contacts (for example by their name) as it follows
sort(contacts, on(Contact.class).getName());
or by their address:
sort(contacts, on(Contacts.class).getAddress());
and so on. More in general, it offers a DSL to access and manipulate your collections in many ways, like filtering or grouping your contacts based on some conditions, aggregate some of their property values, etc.
The Collections.sort is a good sort implementation. If you don't have The comparable implemented for Contact, you will need to pass in a Comparator implementation
Of note:
The sorting algorithm is a modified mergesort (in which the merge is omitted if the highest element in the low sublist is less than the lowest element in the high sublist). This algorithm offers guaranteed n log(n) performance. The specified list must be modifiable, but need not be resizable. This implementation dumps the specified list into an array, sorts the array, and iterates over the list resetting each element from the corresponding position in the array. This avoids the n2 log(n) performance that would result from attempting to sort a linked list in place.
The merge sort is probably better than most search algorithm you can do.
I did it by the following way. number and name are two arraylist. I have to sort name .If any change happen to name arralist order then the number arraylist also change its order.
public void sortval(){
String tempname="",tempnum="";
if (name.size()>1) // check if the number of orders is larger than 1
{
for (int x=0; x<name.size(); x++) // bubble sort outer loop
{
for (int i=0; i < name.size()-x-1; i++) {
if (name.get(i).compareTo(name.get(i+1)) > 0)
{
tempname = name.get(i);
tempnum=number.get(i);
name.set(i,name.get(i+1) );
name.set(i+1, tempname);
number.set(i,number.get(i+1) );
number.set(i+1, tempnum);
}
}
}
}
}
use this method:
private ArrayList<myClass> sortList(ArrayList<myClass> list) {
if (list != null && list.size() > 1) {
Collections.sort(list, new Comparator<myClass>() {
public int compare(myClass o1, myClass o2) {
if (o1.getsortnumber() == o2.getsortnumber()) return 0;
return o1.getsortnumber() < o2.getsortnumber() ? 1 : -1;
}
});
}
return list;
}
`
and use: mySortedlist = sortList(myList);
No need to implement comparator in your class. If you want inverse order swap 1
and -1
You shoud use the Arrays.sort function. The containing classes should implement Comparable.
'development' 카테고리의 다른 글
Apache VirtualHost 403 금지 (0) | 2020.07.25 |
---|---|
파이썬에서 여러 목록을 하나의 목록으로 병합하는 방법은 무엇입니까? (0) | 2020.07.25 |
Android : 활동에서 방향 변경을 일시적으로 비활성화 (0) | 2020.07.25 |
어떤 JavaScript 이벤트가 발생했는지 확인하는 방법 (0) | 2020.07.25 |
nodeJs 콜백 간단한 예 (0) | 2020.07.25 |