One-dimensional array in Java
In Java, a one-dimensional array is a collection of elements of the same data type that are stored in a contiguous block of memory. Each element in the array is identified by an index, which starts at 0 and goes up to the length of the array minus 1.
To declare a one-dimensional array in Java, you specify the data type of the elements and the size of the array using square brackets. For example, to declare an array of integers with a length of 10, you would write:
javaint[] myArray = new int[10];
This creates an array called myArray
with a length of 10, which means it can store 10 integers. You can access individual elements of the array using their index, like this:
javamyArray[0] = 5; // set the first element to 5
int x = myArray[0]; // get the value of the first element (5)
You can also initialize the array with values when you declare it, like this:
javaint[] myArray = {1, 2, 3, 4, 5};
This creates an array with 5 elements and initializes them with the values 1, 2, 3, 4, and 5.
You can loop through the array using a for loop, like this:
javafor (int i = 0; i < myArray.length; i++) {
System.out.println(myArray[i]);
}
This prints out each element of the array on a separate line. Note that the length
property of the array gives you the size of the array, which you can use in the loop condition.
Comments
Post a Comment