Java实现的自定义迭代器功能示例

本文实例讲述了Java实现的自定义迭代器功能。分享给大家供大家参考,具体如下:

编写自己的Iterator,实现Iterator接口,这里多说一句,实现Iterable后,可以用“foreach”循环遍历你的对象。

?

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

30

31

32

33

34

35

36

37

38

39

40

41

42

43

44

45

46

47

48

49

50

51

52

53

54

55

56

57

58

59

60

61

62

63

64

65

66

67

68

69

70

71

72

import java.util.Iterator;

import java.util.NoSuchElementException;

/**

* 演示Iterator和Iterable接口,并说明怎样编写一个用于对象数组的简单迭代器。

*/

public class AarrayIterator<T> implements Iterable<T>, Iterator<T> {

private final static String[] names = {"rose", "petunia", "tulip"};

public static void main(String[] args) {

AarrayIterator<String> arrayIterator = new AarrayIterator<>(names);

// Java 5,6的方式

for (String s : arrayIterator) {

System.out.println(s);

}

// Java 8的形式

arrayIterator.forEach(System.out::println);

}

/**

* 要遍历的数据

**/

protected T[] data;

protected int index = 0;

/**

* 构造一个AarryIterator对象。

*

* @param data 被迭代的对象数组

*/

public AarrayIterator(final T[] data) {

setData(data);

}

/**

* 设置(重置)数组为给定的数组,重置迭代器。

* 参数d代表被迭代的数组对象。

*

* @param d 被迭代的数组对象

*/

public void setData(final T[] d) {

this.data = d;

index = 0;

}

/**

* 如果不是末尾,返回true,例如,if next()语句将成功执行。

* 否则返回false,执行if next()语句会抛出异常。

*

* @return

*/

public boolean hasNext() {

return index < data.length;

}

/**

* 返回该数据的下一个元素

*

* @return

*/

public T next() {

if (hasNext()) {

return data[index++];

}

throw new NoSuchElementException("only " + data.length + " elements");

}

public void remove() {

throw new UnsupportedOperationException("This demo Iterator does not implement the remove method");

}

/**

* Iterator的方法

*

* @return

*/

public Iterator<T> iterator() {

index = 0;

return this;

}

}

执行结果:

?

1

2

3

4

5

6

rose

petunia

tulip

rose

petunia

tulip

希望本文所述对大家java程序设计有所帮助。

本文链接:https://my.lmcjl.com/post/7434.html

展开阅读全文

4 评论

留下您的评论.