multidimensionales - Cómo convertir una matriz a un conjunto en Java
matrices en java netbeans (16)
Con Guava puedes hacer:
T[] array = ...
Set<T> set = Sets.newHashSet(array);
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 así como:
java.util.Arrays.asList(Object[] a);
¿Algunas ideas?
Después de hacer Arrays.asList(array)
puede ejecutar Set 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 , funcionará lo siguiente:
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 comendador de Eclipse Collections.
En Java 10 :
String[] strs = {"A", "B"};
Set<String> set = Set.copyOf(Arrays.asList(strs));
Set.copyOf
devuelve un Set
no modificable que contiene los elementos de la Collection
dada.
La Collection
dada no debe ser null
y no debe contener ningún elemento null
.
En Java 8 tenemos la opción de usar Stream
también. Podemos hacer streaming 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);
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 un HashSet
pero la especificación no garantiza que será un HashSet
.
"No hay garantías sobre el tipo, la mutabilidad, la serialización o la seguridad de subprocesos del conjunto devuelto".
Así que es mejor usar la opción posterior. La salida es: [A, B, C, D] [A, B, C, D] [A, B, C, D]
En algún momento el uso de algunas bibliotecas estándar ayuda mucho. Trate de mirar las colecciones de Apache Commons . En este caso, tus 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á la colección utiles javadoc.
He escrito lo siguiente del consejo anterior: robalo ... ¡está bien!
/**
* 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());
}
}
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]
Me gusta esto:
Set<T> mySet = new HashSet<T>(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 los arreglos:
var mySet = Set.of(someArray);
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 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()]);
Utilice CollectionUtils
o ArrayUtils
de stanford-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);
Varargs también funcionará!
Stream.of(T... values).collect(Collectors.toSet());
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); }
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
cambiarlo a
nobreaks.put(1, new HashSet(Arrays.asList( 2, 4, 5 )));
la salida es
expected size is 3: 3
Set<T> b = new HashSet<>(Arrays.asList(requiredArray));
Set<T> mySet = new HashSet<T>();
Collections.addAll(mySet, myArray);
Eso es Collections.addAll (java.util.Collection, T ...) del JDK 6.
Además: ¿qué pasa si nuestra matriz está llena de primitivos?
Para JDK <8, solo escribiría lo obvio for
bucle realice el ajuste y agregue al conjunto en una sola pasada.
Para JDK> = 8, una opción atractiva es algo como:
Arrays.stream(intArray).boxed().collect(Collectors.toSet());