java.util.Arrays.fill()方法在java.util.Arrays类中。此方法将指定的数据类型值分配给指定数组的指定范围内的每个元素。
用法: // Makes all elements of a[] equal to "val" public static void fill(int[] a, int val) // Makes elements from from_Index (inclusive) to to_Index // (exclusive) equal to "val" public static void fill(int[] a, int from_Index, int to_Index, int val) This method doesn't return any value.
Exceptions it Throws: IllegalArgumentException - if from_Index > to_Index ArrayIndexOutOfBoundsException - if from_Index a.length
例子:
我们可以填充整个数组。
// Java program to fill a subarray of given array
import java.util.Arrays;
public class Main
{
public static void main(String[] args)
{
int ar[] = {2, 2, 1, 8, 3, 2, 2, 4, 2};
// To fill complete array with a particular
// value
Arrays.fill(ar, 10);
System.out.println("Array completely filled" +
" with 10\n" + Arrays.toString(ar));
}
}
输出:
Array completely filled with 10 [10, 10, 10, 10, 10, 10, 10, 10, 10]
我们可以填充数组的一部分。
// Java program to fill a subarray array with
// given value.
import java.util.Arrays;
public class Main
{
public static void main(String[] args)
{
int ar[] = {2, 2, 2, 2, 2, 2, 2, 2, 2};
// Fill from index 1 to index 4.
Arrays.fill(ar, 1, 5, 10);
System.out.println(Arrays.toString(ar));
}
}
输出:
[2, 10, 10, 10, 10, 2, 2, 2, 2]
我们可以填充多维数组
我们可以使用循环来填充多维数组。
1)填充2D阵列
// Java program to fill a multidimensional array with
// given value.
import java.util.Arrays;
public class Main
{
public static void main(String[] args)
{
int [][]ar = new int [3][4];
// Fill each row with 10.
for (int[] row : ar)
Arrays.fill(row, 10);
System.out.println(Arrays.deepToString(ar));
}
}
输出:
[[10, 10, 10, 10], [10, 10, 10, 10], [10, 10, 10, 10]]
2)填充3D阵列
// Java program to fill a multidimensional array with
// given value.
import java.util.Arrays;
class GFG {
public static void main(String[] args) {
int[][][] ar = new int[3][4][5];
// Fill each row with -1.
for (int[][] row : ar) {
for (int[] rowColumn : row) {
Arrays.fill(rowColumn, -1);
}
}
System.out.println(Arrays.deepToString(ar));
}
}
输出:
[[[-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1]], [[-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1]], [[-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1], [-1, -1, -1, -1, -1]]]
相关用法
- Java Java lang.Long.reverse()用法及代码示例
- Java Java lang.Long.byteValue()用法及代码示例
- Java Java.util.Collections.disjoint()用法及代码示例
- Java Java lang.Long.numberOfLeadingZeros()用法及代码示例
- Java Java.util.Collections.rotate()用法及代码示例
注:本文由纯净天空筛选整理自 Arrays.fill() in Java with Examples。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。