Post

Array of Objects

In Java, an array of objects is simply an array where each element is a reference to an object. Instead of holding primitive types (int, char, etc.), the array holds instances of classes.

Array of Objects

1. What is an Array of Objects?

  • In Java, an array of objects is simply an array where each element is a reference to an object.
  • Instead of holding primitive types (int, char, etc.), the array holds instances of classes.

2. Declaration and Initialization

a. Declare an array of a class type:

1
ClassName[] arrayName;

b. Create the array (allocate memory for references):

1
arrayName = new ClassName[size];

c. Create and assign actual objects:

1
arrayName[0] = new ClassName();

Example:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
class Student {
    String name;
    int age;

    Student(String n, int a) {
        name = n;
        age = a;
    }

    void show() {
        System.out.println(name + " is " + age + " years old.");
    }
}

public class Main {
    public static void main(String[] args) {
        Student[] students = new Student[3];

        students[0] = new Student("Alice", 20);
        students[1] = new Student("Bob", 21);
        students[2] = new Student("Charlie", 19);

        for (Student s : students) {
            s.show();
        }
    }
}

3. Accessing Elements

You can access or update any object in the array using indices:

1
2
students[1].name = "Bobby";
students[1].show(); // Updated object

Imagine a library system storing multiple Book objects:

1
Book[] books = new Book[10];

This allows you to manage multiple books with shared logic and structure.

5. Common Operations on Object Arrays

OperationExample
Create arrayEmployee[] emps = new Employee[5];
Assign objectemps[0] = new Employee(...);
Access propertyemps[0].getName();
Iterate over arrayfor (Employee e : emps) {...}

6. Important Notes

  • The array itself holds references, not the actual objects.
  • If you don’t initialize each element with new, accessing it will throw a NullPointerException.
  • Arrays are fixed in size. Use ArrayList if you need a resizable collection.

7. Comparison with Array of Primitive Types

FeaturePrimitive ArrayObject Array
Typeint[], double[]Student[], Book[]
StoresData valuesObject references
Initializationnew int[5]new Student[5] + objects
FlexibilityLimited to data typesFull OOP support
This post is licensed under CC BY 4.0 by the author.