我希望只调用Type.getNo()
方法来获得一些计算结果。如果if then else
中的Type.getNo()
块显示“从TypeX.getNo()
获取数据”,则在内部调用TypeX.getNo()
;之后,将其结果发送到Type.getNo()
,然后Type.getNo()
会将值返回给用户。在第二种情况下,将使用TypeY.getNo()
的结果。
对于类关系,这些类之间的关系应该是什么?我认为这似乎与extends
关系有关,但是我对如何实现该方案感到有些困惑。为了推进我的项目,我应该使用设计模式来实现吗?如果是,哪种设计模式适合这种情况?我觉得chain of responsibility
想要修复,但是在chain of responsibility
中,决定是在第三类上做出的,对于我来说,这应该在其他包装中。另一方面,所有决定都应在同一班上进行。只是返回值将在其他包中可用。
|--------------------|
| Type |
|--------------------|
| +getNo():int |
| |
|--------------------|
|------------------| |----------------------|
| TypeX | | TypeY |
|------------------| |----------------------|
| | | |
| +getNo():int | | +getNo():int |
| | | |
|------------------| |----------------------|
TypeX and TypeY are visible to only to other classes in the same package
最佳答案
使用抽象类Type
和两个扩展TypeX
的类TypeY
,Type
。Type
abstract class Type {
int no;
int getNo() {
return no;
}
}
TypeX
public class TypeX extends Type {
public TypeX(int no) {
this.no = no;
}
@Override
int getNo() {
System.out.println("TypeX.getNo()");
return no;
}
}
TypeY
public class TypeY extends Type {
public TypeY(int no) {
this.no = no;
}
@Override
int getNo() {
System.out.println("TypeY.getNo()");
return no;
}
}
App
public class App {
public static void main(String[] args) {
Type x = new TypeX(1);
Type y = new TypeY(2);
System.out.println(x.getNo());
System.out.println(y.getNo());
}
}
输出:
TypeX.getNo()
1
TypeY.getNo()
2