참조 자료형 배열은 객체를 배열로 저장하는 방법으로, 배열의 각 요소가 객체를 참조한다. 기본 자료형 배열과 달리 참조 자료형 배열은 객체에 대한 참조를 저장하며, 배열을 통해 객체의 필드와 메서드에 접근할 수 있다.
즉, 배열이 가리키는 대상은 객체의 메모리 위치이고, 그 위치를 통해 객체의 필드나 메서드에 접근할 수 있다.
Book
클래스와 배열class Book {
String title;
String author;
String price;
Book(String title, String author, String price) {
this.title = title;
this.author = author;
this.price = price;
}
}
✔️ 기본 자료형 배열
int[] intArray = new int[3];
intArray[0] = 10;
intArray[1] = 20;
intArray[2] = 30;
for (int data : intArray) {
System.out.println(data);
}
✔️ 참조 자료형 배열
Book[] bookArray = new Book[3];
bookArray[0] = new Book("java", "홍길동", "1000");
bookArray[1] = new Book("JSP", "박문수", "2000");
bookArray[2] = new Book("spring", "이몽룡", "3000");
Book
객체를 참조하며, 배열을 통해 각 객체의 필드(title
, author
, price
)에 접근할 수 있다.for (Book book : bookArray) {
System.out.println(book.title);
System.out.println(book.author);
System.out.println(book.price);
}
각 행(row)이 하나의 데이터를, 각 열(column)이 데이터의 속성을 나타낸다.
Object[][] peopleData = {
{1001, "홍길동", 20, 180.5, 80.0},
{1002, "박문수", 22, 170.0, 75.0},
{1003, "임꺽정", 24, 175.0, 70.0}
};
// 2차원 배열 출력
for (int i = 0; i < peopleData.length; i++) {
System.out.println("번호: " + peopleData[i][0]);
System.out.println("이름: " + peopleData[i][1]);
System.out.println("나이: " + peopleData[i][2]);
System.out.println("키: " + peopleData[i][3]);
System.out.println("몸무게: " + peopleData[i][4]);
}
Object
배열을 사용해야 하고, 타입 캐스팅 문제가 발생할 수 있다.데이터를 더 구조화하고, 각 데이터의 의미를 명확히 하기 위해 클래스를 이용할 수 있다. 이 방법에서는 클래스가 각 데이터 항목을 정의하며, 그 클래스의 객체들을 배열로 관리한다.
class Person {
int id;
String name;
int age;
double height;
double weight;
Person(int id, String name, int age, double height, double weight) {
this.id = id;
this.name = name;
this.age = age;
this.height = height;
this.weight = weight;
}
}
public class Main {
public static void main(String[] args) {
Person[] peopleArray = new Person[3];
peopleArray[0] = new Person(1001, "홍길동", 20, 180.5, 80.0);
peopleArray[1] = new Person(1002, "박문수", 22, 170.0, 75.0);
peopleArray[2] = new Person(1003, "임꺽정", 24, 175.0, 70.0);
// 데이터 출력
for (Person person : peopleArray) {
System.out.println("번호: " + person.id);
System.out.println("이름: " + person.name);
System.out.println("나이: " + person.age);
System.out.println("키: " + person.height);
System.out.println("몸무게: " + person.weight);
}
}
}
- 2차원 배열은 간단하게 다차원 데이터를 저장하고 관리할 수 있지만, 타입 안정성이 떨어지고 구조가 직관적이지 않을 수 있다.
- 클래스를 활용한 배열은 데이터 구조를 명확하게 정의하고, 타입 안정성을 보장하며 유지보수가 용이하지만, 약간의 복잡성이 추가된다.