4월 26일 내용정리
인터페이스 문제 풀기!!!
부모 인터페이스
package study_0426_01;
public interface Countable {
void count();
}
부모인터페이스 구현한 자식 클래스-1
package study_0426_01;
public class Bird implements Countable{
//필드 선언
String name;
int num;
//생성자
public Bird() {};
public Bird(String name, int num) {
this.name=name;
this.num=num;
};
//메서드
@Override
public void count() {
fly();
}
public void fly() {
System.out.println(name+"가"+num+"마리가 있다.");
}
}
부모인터페이스 구현한 자식 클래스-2
package study_0426_01;
public class Tree implements Countable{
//필드 선언
String name;
int num;
//생성자
public Tree() {}
public Tree(String name, int num) {
this.name=name;
this.num=num;
}
//메서드
@Override
public void count() {
ripen();
}
public void ripen() {
System.out.println(name+"가"+num+"그루 있다.");
}
}
실행 클래스
실행 클래스는 여러가지 방법으로 코딩했다.
instanceof 는 형변환을 체크할수 있다.
부모가 자식으로 형변환을 할수 없지만,
자식1->부모로 형변환->자식1
부모로 형변환한 자식이 다시 자식으로 강제 형변환이 가능한대,
이걸 instanceof 체크할수 있음.
참조변수 instanceof 타입(클래스명)
m[i] instanceof Bird
package study_0426_01;
public class test1 {
public static void main(String[] args) {
// Bird myBird =new Bird("뻐꾸기",2);
// Bird myBird01 =new Bird("독수리",2);
// Tree myTree =new Tree("사과나무",5);
// Tree myTree01 =new Tree("밤나무",5);
//
// myBird.count();
// myBird01.fly();
// myTree.count();
// myTree01.ripen();
Countable[] m= {new Bird("뻐꾸기",2),new Bird("독수리",2),new Tree("사과나무",5),new Tree("밤나무",5)};
// for(Countable C:m) {
// C.count();
// }
// for(int i=0;i<m.length;i++) {
// if(i<2) {
// Bird b =(Bird)m[i];
// b.fly();
// }else {
// Tree t =(Tree)m[i];
// t.ripen();
// }
// }
for(int i=0;i<m.length;i++) {
if(m[i] instanceof Bird==true) {
Bird b =(Bird)m[i];
b.fly();
}else {
Tree t =(Tree)m[i];
t.ripen();
}
}
}
}