如何访问在其超类中声明的子类?字符串变量?
我有类似这样的课程:
public class Parent {
public void display() {
// displays A
}
}
public class Child1 extends Parent {
}
public class Child2 extends Parent {
}
Parent p1 = new Child1();
Parent p2 = new Child2();
p1.display(); // Currently displaying parent value of A
p2.display(); // Currently displaying parent value of A
如何确保此display()
p1
p2
和svg{width:100%;height:100%}
内的值都使用自己的A值而不是父类?
答案 0 :(得分:1)
这是一种非常常见的方法。这是一个java'模式'。该技术是面向对象设计中使用getter / setter方法的一个驱动示例。
声明父中的值A的抽象getter / setter方法,并且在子类中完全定义它们。父级通用地使用getter / setter来访问该值。
通过这种方式,父母和孩子将始终使用' A'在子类中声明,管理和更新的值。 getter和setter一定不能是静态的(当然,这没有意义)。此方法允许父类和子类保持独立,并且可以以非常灵活和干净的方式修改/调整子项。特别是,子类不需要主动维护A,并且可以以JIT(即时)方式计算,双重检查或委托A的请求。
完整示例:
public abstract class Parent {
// These two methods must be overridden by all child classes. Compiler enforces that.
public abstract int getA();
public abstract int setA( int newA );
// This display routine utilizes the *childs* a
public void display() { someoutput.write( this.getA() ); }
}
public class Child1 extends Parent {
SomeFancyOrPartularFormOfA a = null; // a Jazzy type of A, used by parent.
@Override // Let java and IDEs know we intend to override it.
public int getA() { return( this.a.gatherorcalcA() ); }
@Override // Let java and IDEs know we intend to override it.
public int setA( int newA ) { this.a.setorincorporateA( newA ); }
. . .
}
public class Child2 extends Parent {
Integer a = 0; // A more mundane type of A, still used by parent.
@Override // Let java and IDEs know we intend to override it.
public int getA() { return( this.a ); }
@Override // Let java and IDEs know we intend to override it.
public int setA( int newA ) { this.a = newA; }
. . .
}
答案 1 :(得分:0)
(我正在编辑它时回答这个问题;如果我误解了这个问题,我会道歉。)
只要您不使用静态成员,所需的行为就是正常行为。在超类中将所需成员定义为protected
;这三个类中任何一个的每个实例都将使用它自己的值。
public class Parent {
protected string name;
public Parent() {
name = "Parent's value";
}
public void setName(string newValue) {
name = newValue;
}
public void display() {
System.out.println(name);
}
}
public class Child1 extends Parent {
public Child1() {
name = "Child1's value";
}
}
public class Child2 extends Parent {
public Child2() {
name = "Child2's value";
}
}
public static void main() {
new Parent().display();
new Child1().display();
Child2 c2 = new Child2();
c2.display();
c2.setName("New name!");
c2.display();
}
这会产生预期的输出:
Parent's value
Child1's value
Child2's value
New name!
答案 2 :(得分:0)
或者,如果有一种方法可以获取A的值,例如getA()
中的class Parent
,则覆盖class Child1
和class Child2
中每个方法的方法以返回各自的A值。
我重复了@ paul-hicks的例子,并在下面演示了我的方法:
public class Parent
...
public void display() {
System.out.println(getA());
}
protected String getName() {
return "parent";
}
}
class Child1 {
...
protected String getName() {
return "child1";
}
}
class Child2 {
...
protected String getName() {
return "child2";
}
}