본문 바로가기
개발/Java

[1주차] Java 중급 - 접근 제어 지시자(access modifier)와 정보 은닉(infomation hiding)

by 컴쏘 2023. 6. 24.

접근 제어 지시자 (access modifier)

  • 클래스 외부에서 클래스의 멤버 변수, 메서드, 생성자를 사용할 수 있는지 여부를 지정하는 키워드
  • private : 같은 클래스 내부에서만 접근 가능 (외부 클래스, 상속 관계의 클래스에서도 접근 불가)
  • 아무것도 없음 (default) : 같은 패키지 내부에서만 접근 가능 (상속 관계라도 패키지가 다르면 접근 불가)
  • protected : 같은 패키지나 상속 관계의 클래스에서 접근 가능하고 그 외 외부에서는 접근할 수 없음
  • public : 클래스의 외부 어디서나 접근 할 수 있음

get() / set() 메서드

  • private 으로 선언된 멤버 변수 (필드)에 대해 접근, 수정할 수 있는 메서드를 public으로 제공
  • get() 메서드만 제공 되는 경우 read-only 필드
  • 이클립스에서 자동으로 생성

정보 은닉

public void setMonth(int month){
	if(month < 1 || month > 12) {
		invalid = false;
	}
	else {
		this.month = month;
	}
}
  • private으로 제어한 멤버 변수도 public 메서드가 제공되면 접근 가능하지만 변수가 public으로 공개되었을 때보다 private 일때 각 변수에 대한 제한을 public 메서드에서 제어할 수 있다.
  • 객체 지향 프로그램에서 정보 은닉은 필요한 외부에서 접근 가능한 최소한의 정보를 오픈함으로써 객체의 오류를 방지으로써 클라이언트 객체가 더 효율적으로 객체를 활용할 수 있도록 해준다.

BirthDay.java

package ch10;

public class BirthDay {
	private int day;
	private int month;
	private int year;
	
	private boolean isValid;
	
	public int getDay() {
		return day;
	}
	public void setDay(int day) {
		this.day = day;
	}
	public int getMonth() {
		return month;
	}
	public void setMonth(int month) {
		if(month < 1 || month > 12) {
			isValid = false;
		} else {
			this.month = month;
			isValid = true;
		}
	}
	public int getYear() {
		return year;
	}
	public void setYear(int year) {
		this.year = year;
	}
	
	public void showDate() {
		if(isValid) {
			System.out.println(year + "년 " + month + "월 "+ day+"일 입니다.");
		} else {
			System.out.println("유효하지 않은 날짜입니다.");
		}
	}
}

BirthDayTest.java

package ch10;

public class BirthDayTest {
	public static void main(String[] args) {
		BirthDay date = new BirthDay();
		date.setYear(2019);
		date.setMonth(13); // 이것 때문에
		date.setDay(30);

		// private 이기 때문에 
		// date.month = 100;
		// 이런 상황(직접 접근) 방지 가능 
		
		date.showDate(); // 유효하지 않은 날짜입니다.
	}
}

2023 KAKAO Tech Campus_BackEnd 필수 과정
Java 1주차 강의 정리 내용입니다.