Me gustaría convertir una matriz a un conjunto en Java. Hay algunas formas obvias de hacer esto (es decir, con un bucle) pero me gustaría algo un poco más ordenado, algo como:
java.util.Arrays.asList(Object[] a);
¿Algunas ideas?
Me gustaría convertir una matriz a un conjunto en Java. Hay algunas formas obvias de hacer esto (es decir, con un bucle) pero me gustaría algo un poco más ordenado, algo como:
java.util.Arrays.asList(Object[] a);
¿Algunas ideas?
Respuestas:
Me gusta esto:
Set<T> mySet = new HashSet<>(Arrays.asList(someArray));
En Java 9+, si el conjunto no modificable está bien:
Set<T> mySet = Set.of(someArray);
En Java 10+, el parámetro de tipo genérico se puede inferir del tipo de componente de matrices:
var mySet = Set.of(someArray);
Arrays.asList
es O (1).
Set<T> mySet = new HashSet<T>();
Collections.addAll(mySet, myArray);
Eso es Collections.addAll (java.util.Collection, T ...) de JDK 6.
Además: ¿qué pasa si nuestra matriz está llena de primitivas?
Para JDK <8, simplemente escribiría el for
bucle obvio para hacer el ajuste y agregar al conjunto en una sola pasada.
Para JDK> = 8, una opción atractiva es algo como:
Arrays.stream(intArray).boxed().collect(Collectors.toSet());
java.util.Collections.addAll
. Además, ya no recomendaría Commons Collections, ya que no se generó y no existe Guava.
addAll
será O ( n ).
Con guayaba puedes hacer:
T[] array = ...
Set<T> set = Sets.newHashSet(array);
new HashSet<T>(Arrays.asList(someArray))
. Ver google.github.io/guava/releases/19.0/api/docs/com/google/common/…
Java 8:
String[] strArray = {"eins", "zwei", "drei", "vier"};
Set<String> strSet = Arrays.stream(strArray).collect(Collectors.toSet());
System.out.println(strSet);
// [eins, vier, zwei, drei]
Tenemos la opción de usar Stream
también. Podemos obtener la transmisión de varias maneras:
Set<String> set = Stream.of("A", "B", "C", "D").collect(Collectors.toCollection(HashSet::new));
System.out.println(set);
String[] stringArray = {"A", "B", "C", "D"};
Set<String> strSet1 = Arrays.stream(stringArray).collect(Collectors.toSet());
System.out.println(strSet1);
// if you need HashSet then use below option.
Set<String> strSet2 = Arrays.stream(stringArray).collect(Collectors.toCollection(HashSet::new));
System.out.println(strSet2);
El código fuente de Collectors.toSet()
muestra que los elementos se agregan uno por uno a una HashSet
pero la especificación no garantiza que sea a HashSet
.
"No hay garantías sobre el tipo, mutabilidad, serialización o seguridad de subprocesos del conjunto devuelto".
Por lo tanto, es mejor usar la opción posterior. El resultado es:
[A, B, C, D]
[A, B, C, D]
[A, B, C, D]
Java 9 introdujo un Set.of
método de fábrica estático que devuelve un conjunto inmutable para los elementos proporcionados o la matriz.
@SafeVarargs
static <E> Set<E> of(E... elements)
Comprobar métodos inmutables de fábrica estática establecida para obtener más información.
También podemos obtener un conjunto inmutable de dos maneras:
Set.copyOf(Arrays.asList(array))
Arrays.stream(array).collect(Collectors.toUnmodifiableList());
El método Collectors.toUnmodifiableList()
utiliza internamente el Set.of
introducido en Java 9. También revise esta respuesta mía para obtener más información.
Stream.of()
- No lo sabía. Una pequeña objeción sobre Collectors.toSet()
: usted dice que la especificación no garantiza agregar elementos uno por uno, pero eso es lo que significa: "se acumula ... en un nuevo Set
". Y es más legible, tan preferible para mí, si no necesita las garantías de tipo concreto, mutabilidad, serialización y seguridad de rosca.
HashSet
. Solo garantiza que será un Set
y eso es lo que quiero decir. Espero haberlo aclarado.
Después de hacerlo Arrays.asList(array)
, puedes ejecutarSet set = new HashSet(list);
Aquí hay un método de muestra, puede escribir:
public <T> Set<T> GetSetFromArray(T[] array) {
return new HashSet<T>(Arrays.asList(array));
}
En Eclipse Collections , lo siguiente funcionará:
Set<Integer> set1 = Sets.mutable.of(1, 2, 3, 4, 5);
Set<Integer> set2 = Sets.mutable.of(new Integer[]{1, 2, 3, 4, 5});
MutableSet<Integer> mutableSet = Sets.mutable.of(1, 2, 3, 4, 5);
ImmutableSet<Integer> immutableSet = Sets.immutable.of(1, 2, 3, 4, 5);
Set<Integer> unmodifiableSet = Sets.mutable.of(1, 2, 3, 4, 5).asUnmodifiable();
Set<Integer> synchronizedSet = Sets.mutable.of(1, 2, 3, 4, 5).asSynchronized();
ImmutableSet<Integer> immutableSet = Sets.mutable.of(1, 2, 3, 4, 5).toImmutable();
Nota: Soy un committer para Eclipse Collections
Rápidamente: puedes hacer:
// Fixed-size list
List list = Arrays.asList(array);
// Growable list
list = new LinkedList(Arrays.asList(array));
// Duplicate elements are discarded
Set set = new HashSet(Arrays.asList(array));
y para revertir
// Create an array containing the elements in a list
Object[] objectArray = list.toArray();
MyClass[] array = (MyClass[])list.toArray(new MyClass[list.size()]);
// Create an array containing the elements in a set
objectArray = set.toArray();
array = (MyClass[])set.toArray(new MyClass[set.size()]);
He escrito lo siguiente del consejo anterior: robarlo ... ¡es bueno!
/**
* Handy conversion to set
*/
public class SetUtil {
/**
* Convert some items to a set
* @param items items
* @param <T> works on any type
* @return a hash set of the input items
*/
public static <T> Set<T> asSet(T ... items) {
return Stream.of(items).collect(Collectors.toSet());
}
}
Ha habido una gran cantidad de grandes respuestas ya, pero la mayoría de ellos no va a funcionar con gran variedad de primitivas (como int[]
, long[]
, char[]
,byte[]
, etc.)
En Java 8 y superior, puede encajonar la matriz con:
Integer[] boxedArr = Arrays.stream(arr).boxed().toArray(Integer[]::new);
Luego convierta a set usando stream:
Stream.of(boxedArr).collect(Collectors.toSet());
En algún momento, usar algunas bibliotecas estándar ayuda mucho. Intenta mirar las colecciones de Apache Commons . En este caso, sus problemas simplemente se transforman en algo como esto
String[] keys = {"blah", "blahblah"}
Set<String> myEmptySet = new HashSet<String>();
CollectionUtils.addAll(pythonKeywordSet, keys);
Y aquí está el CollectionsUtils javadoc
java.util.Collections.addAll(myEmptySet, keys);
??
Usar CollectionUtils
o ArrayUtils
destanford-postagger-3.0.jar
import static edu.stanford.nlp.util.ArrayUtils.asSet;
or
import static edu.stanford.nlp.util.CollectionUtils.asSet;
...
String [] array = {"1", "q"};
Set<String> trackIds = asSet(array);
En Java 10 :
String[] strs = {"A", "B"};
Set<String> set = Set.copyOf(Arrays.asList(strs));
Set.copyOf
devuelve un no modificable que Set
contiene los elementos de lo dado Collection
.
Lo dado Collection
no debe ser null
, y no debe contener ningún null
elemento.
private Map<Integer, Set<Integer>> nobreaks = new HashMap();
nobreaks.put(1, new HashSet(Arrays.asList(new int[]{2, 4, 5})));
System.out.println("expected size is 3: " +nobreaks.get(1).size());
la salida es
expected size is 3: 1
cámbielo a
nobreaks.put(1, new HashSet(Arrays.asList( 2, 4, 5 )));
la salida es
expected size is 3: 3
Para cualquiera que resuelva para Android:
El asterisco *
es el spread
operador. Aplica todos los elementos de una colección individualmente, cada uno pasado para un vararg
parámetro de método. Es equivalente a:
val myArray = arrayOf("data", "foo")
val mySet = setOf(*myArray)
// Equivalent to
val mySet = setOf("data", "foo")
// Multiple spreads ["data", "foo", "bar", "data", "foo"]
val mySet = setOf(*myArray, "bar", *myArray)
Si no se pasan parámetros, se setOf()
genera un conjunto vacío.
Además setOf
, también puede usar cualquiera de estos para un tipo de hash específico:
hashSetOf()
linkedSetOf()
mutableSetOf()
sortableSetOf()
Así es como se define el tipo de elemento de colección explícitamente.
setOf<String>()
hashSetOf<MyClass>()
new HashSet<Object>(Arrays.asList(Object[] a));
Pero creo que esto sería más eficiente:
final Set s = new HashSet<Object>();
for (Object o : a) { s.add(o); }
HashSet
se establece en función del tamaño de la matriz, por ejemplo.
Set<T> b = new HashSet<>(Arrays.asList(requiredArray));