62

I have an array of objects.

Is it possible to make a new array that is a copy of this array, but in reverse order? I was looking for something like this.

// my array
ArrayList<Element> mElements = new ArrayList<Element>();
// new array
ArrayList<Element> tempElements = mElements;

tempElements.reverse(); // something to reverse the order of the array
user401183
  • 2,530
  • 4
  • 27
  • 25

5 Answers5

232

You can do this in two steps:

ArrayList<Element> tempElements = new ArrayList<Element>(mElements);
Collections.reverse(tempElements);
Ted Hopp
  • 232,168
  • 48
  • 399
  • 521
3

Kotlin

val reverseList: List<Int> = yourActualList.reversed();

Reference

Kishan Solanki
  • 13,761
  • 4
  • 85
  • 82
0

Simple approach without implementing anything.

                ArrayList<YourObject> oldlist = new ArrayList<YourObject>();
                ArrayList<YourObject> newList = new ArrayList<YourObject>();
                int size = oldlist.size()-1;

                for(int i=size;i>=0;i--){
                    newList.add(oldlist.get(i));
                }
Samir
  • 6,405
  • 5
  • 39
  • 42
  • An improvement would be to create `newList` with an initial capacity at least equal to the size of `oldList`. That would avoid internal memory reallocations as elements are added in the loop. – Ted Hopp Jul 20 '18 at 16:04
0

For Android on Kotlin, this can be done with Anko's forEachReversedByIndex{} lambda operation, like this:

val tempElements = ArrayList<Element>(mElements.size)
mElements.forEachReversedByIndex{tempElements.add(it)}
DarkCygnus
  • 7,420
  • 4
  • 36
  • 59
  • 1
    An improvement would be to create `tempElements` with an initial capacity at least equal to the size of `mElements`. That would avoid internal memory reallocations as elements are added in the second line. – Ted Hopp Jul 20 '18 at 16:03
  • @TedHopp thanks for the suggestion, will see to incorporate it to the answer :) – DarkCygnus Jul 20 '18 at 16:25
0

I reversed the Profile from ascending to descending order by

In kotlin

 // A comparator to compare points of Profile 
class ProfileComparator {
    companion object : Comparator<Profile?> {
        override fun compare(o1: Profile?, o2: Profile?): Int {
            if (o1 == null || o2 == null) {
                return 0;
            }
            return o2.points.compareTo(o1.points)
        }
    }
}

and then

var profilesList = profiles.sortedWith(ProfileComparator)
hitesh
  • 378
  • 4
  • 12