Java 集合 reverse() 方法



描述

Java Collections reverse(List<?>) 方法用于反转指定列表中元素的顺序。

声明

以下是 java.util.Collections.reverse() 方法的声明。

public static void reverse(List<?> list)			 

参数

list - 要反转其元素的列表。

返回值

异常

UnsupportedOperationException - 如果指定的列表或其列表迭代器不支持 set 操作。

反转整数列表示例

以下示例展示了 Java Collection reverse(List) 方法的使用。我们创建了一个包含一些整数的 List 对象,打印了原始列表。使用 reverse(List) 方法,我们反转了列表并打印了它。

package com.tutorialspoint;

import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.List;

public class CollectionsDemo {

   public static void main(String[] args) {
      List<Integer> list = new ArrayList<>(Arrays.asList(1,2,3,4,5));

      System.out.println("Initial collection value: " + list);
      // reverse collection
      Collections.reverse(list);
      System.out.println("Final collection value: "+list);
   }
}

输出

让我们编译并运行以上程序,这将产生以下结果:

Initial collection value: [1, 2, 3, 4, 5]
Final collection value: [5, 4, 3, 2, 1]

反转字符串列表示例

以下示例展示了 Java Collection reverse(List) 方法的使用。我们创建了一个包含一些字符串的 List 对象,打印了原始列表。使用 reverse(List) 方法,我们反转了列表并打印了它。

package com.tutorialspoint;

import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.List;

public class CollectionsDemo {

   public static void main(String[] args) {
      List<String> list = new ArrayList<>(Arrays.asList("Welcome","to","Tutorialspoint"));

      System.out.println("Initial collection value: " + list);
      // reverse this collection
      Collections.reverse(list);
      System.out.println("Final collection value: "+list);
   }
}

输出

让我们编译并运行以上程序,这将产生以下结果:

Initial collection value: [Welcome, to, Tutorialspoint]
Final collection value: [Tutorialspoint, to, Welcome]

反转对象列表示例

以下示例展示了 Java Collection reverse(List) 方法的使用。我们创建了一个包含一些 Student 对象的 List 对象,打印了原始列表。使用 reverse(List) 方法,我们反转了列表并打印了它。

package com.tutorialspoint;

import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.List;

public class CollectionsDemo {

   public static void main(String[] args) {
      List<Student> list = new ArrayList<>(Arrays.asList(new Student(1, "Julie"),
         new Student(2, "Robert"), new Student(3, "Adam")));

      System.out.println("Initial collection value: " + list);
      // reverse this collection
      Collections.reverse(list);
      System.out.println("Final collection value: "+list);
   }
}
class Student {
   int rollNo;
   String name;

   Student(int rollNo, String name){
      this.rollNo = rollNo;
      this.name = name;
   }

   @Override
   public String toString() {
      return "[ " + this.rollNo + ", " + this.name + " ]";
   }
}

输出

让我们编译并运行以上程序,这将产生以下结果:

Initial collection value: [[ 1, Julie ], [ 2, Robert ], [ 3, Adam ]]
Final collection value: [[ 3, Adam ], [ 2, Robert ], [ 1, Julie ]]
java_util_collections.htm
广告