J'ai un tableau de taille 300000 et je veux le scinder en 2 parties égales. Y at-il une méthode qui peut être utilisée ici pour atteindre cet objectif?
Sera-t-il plus rapide que l'opération for-loop ou n'aura-t-il aucun effet sur les performances?
Vous pouvez utiliser System.arraycopy()
.
int[] source = new int[1000];
int[] part1 = new int[500];
int[] part2 = new int[500];
// (src , src-offset , dest , offset, count)
System.arraycopy(source, 0 , part1, 0 , part1.length);
System.arraycopy(source, part1.length, part2, 0 , part2.length);
Cela fait ce que vous voulez sans que vous ayez à créer un nouveau tableau car il retourne un nouveau tableau.
int[] original = new int[300000];
int[] firstHalf = Arrays.copyOfRange(original, 0, original.length/2);
Divise un tableau en plusieurs tableaux avec une taille maximale fixe.
public static <T extends Object> List<T[]> splitArray(T[] array, int max){
int x = array.length / max;
int r = (array.length % max); // remainder
int lower = 0;
int upper = 0;
List<T[]> list = new ArrayList<T[]>();
int i=0;
for(i=0; i<x; i++){
upper += max;
list.add(Arrays.copyOfRange(array, lower, upper));
lower = upper;
}
if(r > 0){
list.add(Arrays.copyOfRange(array, lower, (lower + r)));
}
return list;
}
Exemple - Un tableau de 11 doit être divisé en plusieurs tableaux ne dépassant pas une taille de 5:
// create and populate an array
Integer[] arr = new Integer[11];
for(int i=0; i<arr.length; i++){
arr[i] = i;
}
// split into pieces with a max. size of 5
List<Integer[]> list = ArrayUtil.splitArray(arr, 5);
// check
for(int i=0; i<list.size(); i++){
System.out.println("Array " + i);
for(int j=0; j<list.get(i).length; j++){
System.out.println(" " + list.get(i)[j]);
}
}
Sortie:
Array 0
0
1
2
3
4
Array 1
5
6
7
8
9
Array 2
10
Utilisez System.arraycopy .
Utilisez ce code, il fonctionne parfaitement pour les tailles de liste odd ou even J'espère que ça aidera quelqu'un.
int listSize = listOfArtist.size();
int mid = 0;
if (listSize % 2 == 0) {
mid = listSize / 2;
Log.e("Parting", "You entered an even number. mid " + mid
+ " size is " + listSize);
} else {
mid = (listSize + 1) / 2;
Log.e("Parting", "You entered an odd number. mid " + mid
+ " size is " + listSize);
}
//sublist returns List convert it into arraylist * very important
leftArray = new ArrayList<ArtistModel>(listOfArtist.subList(0, mid));
rightArray = new ArrayList<ArtistModel>(listOfArtist.subList(mid,
listSize));