我有以下情况:
public class A {
private int x = 5;
public void print()
{
System.out.println(x);
}
}
public class B extends A {
private int x = 10;
/*public void print()
{
System.out.println(x);
}*/
public static void main(String[] args) {
B b = new B();
b.print();
}
}
执行代码时,输出为:5。
如何通过父类方法访问子类(B)变量(x)?
这可以不用覆盖print()方法(即在B中取消注释)吗?
[这很重要,因为在重写时我们必须再次重写print()方法的整个代码]
EDITED
更多澄清: -
(感谢您的所有时间和帮助)
答案 0 :(得分:12)
class A {
private int x = 5;
protected int getX() {
return x;
}
protected void setX(int x) {
this.x = x;
}
public void print() {
// getX() is used such that
// subclass overriding getX() can be reflected in print();
System.out.println(getX());
}
}
class B extends A {
public B() {
// setX(10); // perhaps set the X to 10 in constructor or in main
}
public static void main(String[] args) {
B b = new B();
b.setX(10);
b.print();
}
}
<强> EDITED 强>
以下是使用抽象类和方法来解决类似场景的一般答案:
abstract class SuperA {
protected abstract Object getObj();
public void print() {
System.out.println(getObj());
}
}
class A extends SuperA {
@Override
protected Object getObj() {
// Your implementation
return null; // return what you want
}
}
class B extends A {
@Override
protected Object getObj() {
// Your implementation
return null; // return what you want
}
public static void main(String[] args) {
B b = new B();
b.print();
}
}
答案 1 :(得分:7)
在阅读了这里发布的所有答案后,我得到了我想要的东西。以下是我认为对我的问题最好的答案:
public class A {
private int x = 5;
protected int getX(){
return x;
}
public void print(){
System.out.println(getX());
}
}
public class B extends A {
private int x = 10;
protected int getX(){
return x;
}
public static void main(String[] args) {
B b = new B();
b.print();
}
}
设置受保护的getter并覆盖它比覆盖print()
方法本身更好,因为可能有任何其他巨大的方法代替print方法,可能需要访问子类变量的值(一个或多个)。
答案 2 :(得分:2)
要解决您的问题,您必须在父类A中定义像受保护的字段(因此它将在子类上继承)并在子类B的构造函数内设置字段值x。打印方法是也继承自A类,因此您可以直接从父类调用它。
我希望这可以帮到你。
public class A
{
// fields declaration
protected int x = 5;
public void print()
{
System.out.println(x);
}
}
public class B extends A
{
public B()
{
// set child x value. The field have been defined in the parent class
x = 10;
}
public static void main(String[] args)
{
A a = new A();
a.print(); // print 5
B b = new B();
b.print(); // print 10
}
}
答案 3 :(得分:0)
您应该为您想要的值公开一个getter,并在子类中覆盖它。
像这样:
public class A {
private int x = 5;
public void print()
{
System.out.println(getX());
}
protected void setX(int x)
{
this.x = x;
}
protected int getX()
{
return x;
}
}
public class B extends A {
/*public void print()
{
System.out.println(x);
}*/
public B()
{
setX(10);
}
public static void main(String[] args) {
B b = new B();
b.print();
}
}
答案 4 :(得分:0)
您始终可以将其添加到构造函数中:
public class B extends A {
//this line is unnecessary: private int x = 10;
/*public void print()
{
System.out.println(x);
}*/
public B()
{
x=10;
}
public static void main(String[] args) {
B b = new B();
b.print();
}
}
它尝试不起作用的原因是默认值只被评估一次。因此,当它在A中默认为5时,即使您在B中使用默认值10,它也会保持为5。