web-dev-qa-db-ja.com

オブジェクトのArrayListをアルファベット順に並べ替える

電子メールに従ってオブジェクトのArrayListをアルファベット順にソートし、ソートされた配列を出力するメソッドを作成する必要があります。私がそれをソートするのに苦労している部分。私はそれを研究し、Collections.sort(vehiclearray);を使用してみましたが、それは私にはうまくいきませんでした。コンパレーターと呼ばれるものが必要でしたが、それがどのように機能するのかわかりませんでした。これらを使用する必要がありますか、またはバブルソートや挿入ソートのようなものがこの種のものに機能しますか?

これは私がこれまでに持っているコードです:

public static void printallsort(ArrayList<vehicle> vehiclearray){

   ArrayList<vehicle> vehiclearraysort = new ArrayList<vehicle>();
   vehiclearraysort.addAll(vehiclearray);

 //Sort
   for(int i = 0; i < vehiclearraysort.size(); i++) 
   if ( vehiclearray.get(i).getEmail() > vehiclearray.get(i+1).getEmail())

//Printing 
   for(i = 0; i < vehiclearraysort.size(); i++)           
   System.out.println( vehiclearraysort.get(i).toString() + "\n");

}
26
Fluxxxy

並べ替え部分は、カスタムComparator<Vehicle>

Collections.sort(vehiclearray, new Comparator<Vehicle>() {
    public int compare(Vehicle v1, Vehicle v2) {
        return v1.getEmail().compareTo(v2.getEmail());
    }
});

この匿名クラスは、対応するメールのアルファベット順にVehicle内のArrayListオブジェクトをソートするために使用されます。

Java8にアップグレードすると、メソッドリファレンスを使用して、これをより冗長な方法で実装することもできます。

Collections.sort(vehiclearray, Comparator.comparing(Vehicle::getEmail));
80

質問にはすでに受け入れられた回答がありますが、いくつかのJava 8ソリューションを共有したいと思います

// if you only want to sort the list of Vehicles on their email address
Collections.sort(list, (p1, p2) -> p1.getEmail().compareTo(p2.getEmail()));

// sort the Vehicles in a Stream
list.stream().sorted((p1, p2) -> p1.getEmail().compareTo(p2.getEmail()));

// sort and print with a Stream in one go
list.stream().sorted((p1, p2) -> p1.getEmail().compareTo(p2.getEmail())).forEach(p -> System.out.printf("%s%n", p));

// sort with an Comparator (thanks @Philipp)
// for the list
Collections.sort(list, Comparator.comparing(Vehicle::getEmail));
// for the Stream
list.stream().sorted(Comparator.comparing(Vehicle::getEmail)).forEach(p -> System.out.printf("%s%n", p));
12
SubOptimal

このリンクには、オブジェクトの配列リストを降順および昇順で並べ替えるのに役立つコードがあります。

http://beginnersbook.com/2013/12/Java-arraylist-of-object-sort-example-comparable-and-comparator/

0
Lincy Laiju

最も明確な

vehiclearray.sort(Comparator.comparing(Vehicle::getEmail()));
0
Orhan Avan

パッケージsrikanthdukuntla;

import Java.util.ArrayList; import Java.util.List;

パブリッククラスAlphabetsOrder {

public static void main(String[] args) {

    String temp;
    List<String> str= new ArrayList<String>();

    str.add("Apple");
    str.add("zebra");
    str.add("Umberalla");
    str.add("banana");
    str.add("oxo");
    str.add("dakuntla");
    str.add("srikanthdukuntla");
    str.add("Dukuntla");

    for(int i=0;i<str.size();i++){

        for(int j=i+1;j<str.size();j++){

     if(str.get(i).compareTo(str.get(j))<0){

            temp=str.get(i);
            str.set(i, str.get(j));
            str.set(j,temp );   

     }
        }
    }

  System.out.println("List of words in alphabetical order   "+str);

}

}

0