Java - 리스트 역순으로 순회, 3가지 방법

for문, 반복문으로 리스트를 순회할 때, 리스트의 역순으로 순회하는 방법을 소개합니다.

1. for문을 이용한 방법

가장 기본적이고 직관적인 방법으로, 반복문으로 리스트를 순회할 때 가장 높은 Index에서 Index 0으로 순회하면 역순으로 요소에 접근할 수 있습니다.

import java.util.*;

public class Example2 {

    public static void main(String[] args) {
        List<String> list = new ArrayList<>(Arrays.asList("a", "b", "c", "d"));

        for (int i = list.size() - 1; i > -1; i--) {
            System.out.println(list.get(i));
        }
    }
}

Output:

d
c
b
a

2. Collections.reverse()를 이용한 방법

Collections.reverse()는 인자로 전달된 리스트의 순서를 역순으로 변경합니다. 이렇게 하면 원본 리스트가 변경되는데, 변경을 원치 않으면 먼저 리스트를 복사하고 복사된 리스트의 순서를 변경하여 순회하면 됩니다.

import java.util.*;

public class Example1 {

    public static void main(String[] args) {
        List<String> list = new ArrayList<>(Arrays.asList("a", "b", "c", "d"));

        List<String> reversedList = new ArrayList<>(list);
        Collections.reverse(reversedList);

        reversedList.forEach(s -> System.out.println(s));

        System.out.println("list: " + list);
        System.out.println("reversedList: " + reversedList);
    }
}

Output:

d
c
b
a
list: [a, b, c, d]
reversedList: [d, c, b, a]

3. ListIterator를 이용한 방법

ListIterator는 양방향으로 순회하는 것을 허용하는 객체입니다.

아래와 같이 ListIterator를 생성하고, hasPrevious()로 역순 방향으로 읽을 수 있는 요소가 있는지 확인하고, previous()으로 요소를 가져올 수 있습니다.

import java.util.*;

public class Example {

    public static void main(String[] args) {
        List<String> list = new ArrayList<>(Arrays.asList("a", "b", "c", "d"));

        ListIterator<String> itr = list.listIterator(list.size());
        while (itr.hasPrevious()) {
            System.out.println(itr.previous());
        }
    }
}

Output:

d
c
b
a
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha