Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

how to remove particular data from ArrayList<Integer> in android

I have one Array List and contains some values like 2,3,4,5,6. now how to check if the value is present and want to delete that particular Value. please help me to do this. tnx in advance.

I tried ,

ArrayList<Integer> Positions=new ArrayList<Integer>();
Positions.remove(6);

but it shows an error.

like image 449
Vishnu Avatar asked Dec 12 '22 21:12

Vishnu


2 Answers

Positions.remove(6); delete the item from particular position.

So first you have to compare the item in arraylist using for loop and get the position of that item and call Positions.remove(that Item Position in ArrayList).

Try this code.

ArrayList<Integer> positions = new ArrayList<Integer>();
positions.add(3); // add some sample values
positions.add(6); // add some sample values
positions.add(1); // add some sample values
positions.add(2); // add some sample values
positions.add(6);

for(int i=0;i<positions.size();i++)
{
    if(positions.get(i) == 6)
    {
        positions.remove(i);
    }
}

Log.i("========== After Remove ",":: "+positions.toString());

Output : I/========== After Remove ( 309): :: [3, 1, 2]

like image 68
Chirag Avatar answered Jan 12 '23 00:01

Chirag


Try this:

ArrayList<Integer> positions = new ArrayList<Integer>();
positions.add(3); // add some sample values
positions.add(6); // add some sample values
positions.add(1); // add some sample values
positions.add(2); // add some sample values
int index = positions.indexOf(6); // finds the index of the first occurrence of 6
if (index >= 0) { // if not found, index will be -1
    positions.remove(index); // removes this occurrence
}
like image 21
UgglyNoodle Avatar answered Jan 11 '23 23:01

UgglyNoodle