A pergunta foi feita sobre como transformar uma matriz em uma lista. Até agora, a maioria das respostas mostrou como criar uma nova lista com o mesmo conteúdo da matriz ou referir-se a bibliotecas de terceiros. No entanto, existem opções simples e integradas para esse tipo de conversão. Alguns deles já foram esboçados em outras respostas (por exemplo, esta ). Mas eu gostaria de salientar e elaborar certos graus de liberdade para a implementação aqui e mostrar os possíveis benefícios, desvantagens e advertências.
Há pelo menos duas distinções importantes a serem feitas:
- Se a lista resultante deve ser uma exibição na matriz ou se deve ser uma nova lista
- Se a lista resultante deve ser modificável ou não
As opções serão resumidas aqui rapidamente, e um programa de exemplo completo é mostrado na parte inferior desta resposta.
Criando uma nova lista versus criando uma exibição na matriz
Quando o resultado deve ser uma nova lista, uma das abordagens das outras respostas pode ser usada:
List<Long> list = Arrays.stream(array).boxed().collect(Collectors.toList());
Mas deve-se considerar as desvantagens de fazer isso: uma matriz com long
valores de 1000000 ocupará aproximadamente 8 megabytes de memória. A nova lista também ocupará cerca de 8 megabytes. E, claro, a matriz completa deve ser percorrida ao criar esta lista. Em muitos casos, a criação de uma nova lista simplesmente não é necessária. Em vez disso, é suficiente criar uma exibição na matriz:
// This occupies ca. 8 MB
long array[] = { /* 1 million elements */ }
// Properly implemented, this list will only occupy a few bytes,
// and the array does NOT have to be traversed, meaning that this
// operation has nearly ZERO memory- and processing overhead:
List<Long> list = asList(array);
(Veja o exemplo na parte inferior para uma implementação do toList
método)
A implicação de ter uma visualização na matriz é que as alterações na matriz serão visíveis na lista:
long array[] = { 12, 34, 56, 78 };
List<Long> list = asList(array);
System.out.println(list.get(1)); // This will print 34
// Modify the array contents:
array[1] = 12345;
System.out.println(list.get(1)); // This will now print 12345!
Felizmente, a criação de uma cópia (ou seja, uma nova lista que não é afetada por modificações na matriz) a partir da exibição é trivial:
List<Long> copy = new ArrayList<Long>(asList(array));
Agora, esta é uma cópia verdadeira, equivalente ao que é alcançado com a solução baseada em fluxo que foi mostrada acima.
Criando uma visão modificável ou uma visão não modificável
Em muitos casos, será suficiente quando a lista for somente leitura . O conteúdo da lista resultante geralmente não será modificado, mas passado apenas para o processamento downstream que apenas lê a lista.
Permitir modificações da lista levanta algumas questões:
long array[] = { 12, 34, 56, 78 };
List<Long> list = asList(array);
list.set(2, 34567); // Should this be possible?
System.out.println(array[2]); // Should this print 34567?
list.set(3, null); // What should happen here?
list.add(99999); // Should this be possible?
É possível criar uma exibição de lista na matriz que seja modificável . Isso significa que as alterações na lista, como definir um novo valor em um determinado índice, serão visíveis na matriz.
Mas não é possível criar uma exibição de lista estruturalmente modificável . Isso significa que não é possível executar operações que afetam o tamanho da lista. Isso ocorre simplesmente porque o tamanho da matriz subjacente não pode ser alterado.
A seguir, é apresentado um MCVE, mostrando as diferentes opções de implementação e as possíveis maneiras de usar as listas resultantes:
import java.util.AbstractList;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import java.util.Objects;
import java.util.RandomAccess;
public class PrimitiveArraysAsLists
{
public static void main(String[] args)
{
long array[] = { 12, 34, 56, 78 };
// Create VIEWS on the given array
List<Long> list = asList(array);
List<Long> unmodifiableList = asUnmodifiableList(array);
// If a NEW list is desired (and not a VIEW on the array), this
// can be created as well:
List<Long> copy = new ArrayList<Long>(asList(array));
System.out.println("array : " + Arrays.toString(array));
System.out.println("list : " + list);
System.out.println("unmodifiableList: " + unmodifiableList);
System.out.println("copy : " + copy);
// Modify a value in the array. The changes will be visible
// in the list and the unmodifiable list, but not in
// the copy.
System.out.println("Changing value at index 1 of the array...");
array[1] = 34567;
System.out.println("array : " + Arrays.toString(array));
System.out.println("list : " + list);
System.out.println("unmodifiableList: " + unmodifiableList);
System.out.println("copy : " + copy);
// Modify a value of the list. The changes will be visible
// in the array and the unmodifiable list, but not in
// the copy.
System.out.println("Changing value at index 2 of the list...");
list.set(2, 56789L);
System.out.println("array : " + Arrays.toString(array));
System.out.println("list : " + list);
System.out.println("unmodifiableList: " + unmodifiableList);
System.out.println("copy : " + copy);
// Certain operations are not supported:
try
{
// Throws an UnsupportedOperationException: This list is
// unmodifiable, because the "set" method is not implemented
unmodifiableList.set(2, 23456L);
}
catch (UnsupportedOperationException e)
{
System.out.println("Expected: " + e);
}
try
{
// Throws an UnsupportedOperationException: The size of the
// backing array cannot be changed
list.add(90L);
}
catch (UnsupportedOperationException e)
{
System.out.println("Expected: " + e);
}
try
{
// Throws a NullPointerException: The value 'null' cannot be
// converted to a primitive 'long' value for the underlying array
list.set(2, null);
}
catch (NullPointerException e)
{
System.out.println("Expected: " + e);
}
}
/**
* Returns an unmodifiable view on the given array, as a list.
* Changes in the given array will be visible in the returned
* list.
*
* @param array The array
* @return The list view
*/
private static List<Long> asUnmodifiableList(long array[])
{
Objects.requireNonNull(array);
class ResultList extends AbstractList<Long> implements RandomAccess
{
@Override
public Long get(int index)
{
return array[index];
}
@Override
public int size()
{
return array.length;
}
};
return new ResultList();
}
/**
* Returns a view on the given array, as a list. Changes in the given
* array will be visible in the returned list, and vice versa. The
* list does not allow for <i>structural modifications</i>, meaning
* that it is not possible to change the size of the list.
*
* @param array The array
* @return The list view
*/
private static List<Long> asList(long array[])
{
Objects.requireNonNull(array);
class ResultList extends AbstractList<Long> implements RandomAccess
{
@Override
public Long get(int index)
{
return array[index];
}
@Override
public Long set(int index, Long element)
{
long old = array[index];
array[index] = element;
return old;
}
@Override
public int size()
{
return array.length;
}
};
return new ResultList();
}
}
A saída do exemplo é mostrada aqui:
array : [12, 34, 56, 78]
list : [12, 34, 56, 78]
unmodifiableList: [12, 34, 56, 78]
copy : [12, 34, 56, 78]
Changing value at index 1 of the array...
array : [12, 34567, 56, 78]
list : [12, 34567, 56, 78]
unmodifiableList: [12, 34567, 56, 78]
copy : [12, 34, 56, 78]
Changing value at index 2 of the list...
array : [12, 34567, 56789, 78]
list : [12, 34567, 56789, 78]
unmodifiableList: [12, 34567, 56789, 78]
copy : [12, 34, 56, 78]
Expected: java.lang.UnsupportedOperationException
Expected: java.lang.UnsupportedOperationException
Expected: java.lang.NullPointerException