How to initialize an array in Java? How to initialize an array in Java? arrays arrays

How to initialize an array in Java?


data[10] = {10,20,30,40,50,60,71,80,90,91};

The above is not correct (syntax error). It means you are assigning an array to data[10] which can hold just an element.

If you want to initialize an array, try using Array Initializer:

int[] data = {10,20,30,40,50,60,71,80,90,91};// orint[] data;data = new int[] {10,20,30,40,50,60,71,80,90,91};

Notice the difference between the two declarations. When assigning a new array to a declared variable, new must be used.

Even if you correct the syntax, accessing data[10] is still incorrect (You can only access data[0] to data[9] because index of arrays in Java is 0-based). Accessing data[10] will throw an ArrayIndexOutOfBoundsException.


Try

data = new int[] {10,20,30,40,50,60,71,80,90,91 };


When you create an array of size 10 it allocated 10 slots but from 0 to 9.This for loop might help you see that a little better.

public class Array {    int[] data = new int[10];     /** Creates a new instance of an int Array */    public Array() {        for(int i = 0; i < data.length; i++) {            data[i] = i*10;        }    }}