Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Access Java variable by its name as a String

Tags:

java

I have declared 10 ArrayLists with names arraylist1, arraylist2 and so on.

I want to dynamically change variable name in a for loop:

for (int i = 1; i < 5; i++)
{
   arraylist + (i).clear();
   //arraylist1.clear();
   //arraylist2.clear();
   //arraylist3.clear();
   //arraylist4.clear();
   //arraylist5.clear();

}

Is it possible? If so what is format to do so?

like image 985
Sanjana Nair Avatar asked Dec 25 '22 18:12

Sanjana Nair


2 Answers

You can not address a variable with its name as string (except with reflection, but that's an overkill for this task).

You can add all these ArrayList's to another List. This is more flexible and, thus, a better option.

List<List<ContactDetails>> lists2 = new ArrayList<List<String>>();
for (int i = 0; i < 10; i++) {
    lists2.add(new ArrayList<ContactDetails>());
}

Or add them to an array and access them by array indexes:

@SuppressWarnings("unchecked")
List<ContactDetails>[] lists = new List[10];
for (int i = 0; i < lists.length; i ++) {
    lists[i] = new ArrayList<ContactDetails>();
}

Now:

for (int i = 1; i < 5; i++)
{
   lists[i].clear();
   lists2.get(i).clear();
}

As both List and array are Iterable, you can use the foreach syntax:

for (List list : lists)
{
   list.clear();
}

for (List list : lists2) {
    list.clear();
}

If you know how to achieve the same with Lambdas / Stream API, please add to the answer.

like image 132
Nick Volynkin Avatar answered Jan 05 '23 05:01

Nick Volynkin


If the ArrayLists are class properties, you can achieve this with reflection:

((ArrayList) getClass().getField("arraylist" + i).get(this)).clear();
like image 33
Armand Avatar answered Jan 05 '23 04:01

Armand