填充指定范围内的 Java 字节数组元素
使用 java.util.Arrays.fill() 方法可以在指定范围内填充 Java 字节数组中的元素。此方法在 Java 中将指定的字节值分配到字节数组中的指定范围内。
Arrays.fill() 方法所需的必需参数包括数组名称、要填充的第一个元素的索引(包括),要填充的最后一个元素的索引(不包括)以及要存储在数组元素中的值。
演示这一方法的程序如下 -
示例
import java.util.Arrays; public class Demo { public static void main(String[] argv) throws Exception { byte[] byteArray = new byte[10]; byte byteValue = 2; int indexStart = 3; int indexFinish = 6; Arrays.fill(byteArray, indexStart, indexFinish, byteValue); System.out.println("The byte array content is: " + Arrays.toString(byteArray)); } }
输出
The byte array content is: [0, 0, 0, 2, 2, 2, 0, 0, 0, 0]
现在让我们了解一下上述程序。
首先,定义字节数组 byteArray[]。然后使用 Arrays.fill() 方法从索引 3(包含)到索引 6(不包含)使用值 2 填充字节数组。最后,使用 Arrays.toString() 方法打印字节数组。演示这一点的代码片段如下 -
byte[] byteArray = new byte[10]; byte byteValue = 2; int indexStart = 3; int indexFinish = 6; Arrays.fill(byteArray, indexStart, indexFinish, byteValue); System.out.println("The byte array content is: " + Arrays.toString(byteArray));
广告