📜  Java ListIterator接口

📅  最后修改于: 2020-09-26 15:02:35             🧑  作者: Mango

在本教程中,我们将通过一个示例来学习Java ListIterator接口。

Java集合框架的ListIterator接口提供了访问列表元素的功能。

它是双向的。这意味着它允许我们在两个方向上迭代列表的元素。

它扩展了Iterator接口。

ListIterator接口扩展了Java Iterator接口。

List接口提供了一个listIterator()方法,该方法返回ListIterator接口的一个实例。


ListIterator的方法

ListIterator接口提供可用于对列表的元素执行各种操作的方法。

  • hasNext() -如果列表中存在一个元素,则返回true
  • next() -返回列表的下一个元素
  • nextIndex()返回next()方法将返回的元素的索引
  • previous() -返回列表的上一个元素
  • previousIndex() -返回previous()方法将返回的元素的索引
  • remove() -删除next()previous()返回的元素
  • set() -将next()previous()返回的元素替换为指定的元素

示例1:ListIterator的实现

在下面的例子中,我们已经实现了next() nextIndex()hasNext()的方法ListIterator在阵列列表界面。

import java.util.ArrayList;
import java.util.ListIterator;

class Main {
    public static void main(String[] args) {
        // Creating an ArrayList
        ArrayList numbers = new ArrayList<>();
        numbers.add(1);
        numbers.add(3);
        numbers.add(2);
        System.out.println("ArrayList: " + numbers);

        // Creating an instance of ListIterator
        ListIterator iterate = numbers.listIterator();

        // Using the next() method
        int number1 = iterate.next();
        System.out.println("Next Element: " + number1);

        // Using the nextIndex()
        int index1 = iterate.nextIndex();
        System.out.println("Position of Next Element: " + index1);

        // Using the hasNext() method
        System.out.println("Is there any next element? " + iterate.hasNext());
    }
}

输出

ArrayList: [1, 3, 2]
Next Element: 1
Position of Next Element: 1
Is there any next element? true

示例2:ListIterator的实现

在下面的示例中,我们在数组列表中实现了ListIterator接口的previous()previousIndex()方法。

import java.util.ArrayList;
import java.util.ListIterator;

class Main {
    public static void main(String[] args) {
        // Creating an ArrayList
        ArrayList numbers = new ArrayList<>();
        numbers.add(1);
        numbers.add(3);
        numbers.add(2);
        System.out.println("ArrayList: " + numbers);

        // Creating an instance of ListIterator
        ListIterator iterate = numbers.listIterator();
        iterate.next();
        iterate.next();

        // Using the previous() method
        int number1 = iterate.previous();
        System.out.println("Previous Element: " + number1);

        // Using the previousIndex()
        int index1 = iterate.previousIndex();
        System.out.println("Position of the Previous element: " + index1);
    }
}

输出

ArrayList: [1, 3, 2]
Previous Element: 3
Position of the Previous Element: 0

在上面的示例中,最初, Iterator的实例在1之前。由于在1之前没有元素,因此调用previous()方法将引发异常。

然后,我们使用了next()方法两次。现在, Iterator实例将在3到2之间。

因此, previous()方法返回3。