Java 변수 타입 기본형, 참조형 - 메소드 활용
다음 코드를 살펴보도록 한다.
public static class Point {
int x;
int y;
}
public static void main(String[] args) {
Point p1 = new Point();
Point p2 = new Point();
Point p3 = new Point();
p1.x = 10;
p1.y = 14;
p2.x = 7;
p2.y = 6;
p3.x = 27;
p3.y = 26;
System.out.println("p1 의 x 값: " + p1.x + ", y 값: " + p1.y);
System.out.println("p2 의 x 값: " + p2.x + ", y 값: " + p2.y);
System.out.println("p3 의 x 값: " + p3.x + ", y 값: " + p3.y);
}
main 함수의 p1, p2, p3 를 리터럴 할당과 출력 코드가 중복되어 작성되어있다.
initPoint, printPoint 메소드를 만들어 코드를 줄여보도록 한다.
- 신규 메소드 initPoint
- 신규 메소드 printPoint
public static class Point {
int x;
int y;
}
public static void main(String[] args) {
Point p1 = new Point();
Point p2 = new Point();
Point p3 = new Point();
initPoint(p1, 10, 14);
initPoint(p2, 7, 6);
initPoint(p3, 27, 26);
printPoint(p1);
printPoint(p2);
printPoint(p3);
}
public static void initPoint(Point p, int x, int y) {
p.x = x;
p.y = y;
}
public static void printPoint(Point p) {
System.out.println("p 의 x 값: " + p.x + ", y 값: " + p.y);
}
참조형 메소드 호출 시 참조 값을 전달한 방법을 이용하여 객체의 값 변경과 읽어 사용할 수 있다. 또 한 중복 코드도 줄일 수 있다.
new 중복 코드 제거
main 함수에 있는 객체 생성 new 선언이 중복 코드로 갖고 있다. 새로운 메소드 createPoint 를 생성하여 new 선언 연산자를 포함시켜주도록 한다.
public class Main {
public static class Point {
int x;
int y;
}
public static void main(String[] args) {
Point p1 = createPoint(10, 14);
Point p2 = createPoint(7, 6);
Point p3 = createPoint(27, 26);
printPoint(p1);
printPoint(p2);
printPoint(p3);
}
public static Point createPoint(int x, int y) {
Point p = new Point();
p.x = x;
p.y = y;
return p;
}
public static void printPoint(Point p) {
System.out.println("p 의 x 값: " + p.x + ", y 값: " + p.y);
}
}
코드가 간소화 되었다.