我的讲师告诉我,我在课堂上没有访问器和mutator方法,但是我不知道他的意思,因为我确实包含了访问器和mutator方法。
我能提出的2个问题是:
1。我的变数器必须用于每个单独的变量,而不是一次用于所有变量。
2。我的子类需要我的超类变量的访问器和mutator方法。
我确实问过我的演讲,但他说自己去弄清楚,而我没有包括toString
abstract class TwoD implements Shape
{
//protected instance variables as the subclasses will use them
protected int a;
protected int b;
protected int c;
//default constructor
public TwoD() {}
//constructor for circle
public TwoD(int a)
{
this.a = a;
}
//constructor for rectangle
public TwoD(int a, int b)
{
this.a = a;
this.b = b;
}
//constructor for triangle
public TwoD(int a, int b, int c)
{
this.a = a;
this.b = b;
this.c = c;
}
//copy constructor
public TwoD(TwoD td)
{
this (td.a, td.b, td.c);
}
//accessor methods to get variables
public int getA()
{
return a;
}
public int getB()
{
return b;
}
public int getC()
{
return c;
}
//mutator methods to set variables
public void setA(int a)
{
this.a = a;
}
public void setAB(int a, int b)
{
this.a = a;
this.b = b;
}
public void setABC(int a, int b, int c)
{
this.a = a;
this.b = b;
this.c = c;
}
class Circle extends TwoD
{
//default constructor
public Circle() {}
public Circle(int radius)
{
super(radius);
}
//method to calculate area of circle
@Override
public double area()
{
return Math.PI * a * a;
}
//method to get calculated area
@Override
public double getArea()
{
return area();
}
答案 0 :(得分:1)
访问器方法通常称为getters,而mutator方法通常称为setters。
在Java世界中,一种广泛使用的模式是您
将字段(实例变量)设为私有
private int a;
如果需要访问器方法,请添加吸气剂
public int getA() {
return this.a;
}
如果需要更改器方法,请添加设置器
public void setA(int a) {
this.a = a;
}
访问器和更改器方法几乎总是更改单个字段。
请注意,我just like Aaron Davis也不喜欢这种设计。因为子类只能添加功能,而不能删除或隐藏它,所以一个子类必须明智地选择哪个类可以扩展另一个子类。一个例子就是众所周知的squares-rectangles problem。
您还需要使用自我描述性名称。应该将a
,b
和c
重命名为更好地描述这些变量表示的内容。