我正在做一个家庭作业,我确定了一个圆柱的音量。课程的对象是类和对象。我有两个班,“CylinderTest”& “圆筒”。气缸测试称为气缸。到目前为止,除了get和set方法之外,一切似乎都在起作用。我试图阻止对负数进行计算,但这不起作用,它无论如何都执行计算。
这是CylinderTest类
public class CylinderTest
{
public static void main(String[] args)
{
Cylinder myTest = new Cylinder(-1, -1);
myTest.getHeight();
myTest.getRadius();
System.out.println(myTest);
printHeader();
double volume = myTest.volume();
displayCylinder(volume);
}
private static void printHeader()
{
System.out.println("Cylinder");
System.out.println("________");
}
private static void displayCylinder(double volume)
{
System.out.print("Cylinder volume = ");
System.out.println(volume);
}
}
这是Cylinder类
public class Cylinder
{
// variables
public static final double PI = 3.14159;
private double radius, height, volume;
// constructor
public Cylinder(double radius, double height)
{
this.radius = radius;
this.height = height;
}
// Volume method to compute the volume of the cylinder
public double volume()
{
return PI * radius * radius * height;
}
// accessors and mutators (getters and setters)
public double getRadius()
{
return radius;
}
public void setRadius(double radius)
{
if (radius > 0.0)
this.radius = radius;
else
this.radius = 1.0;
}
public double getHeight()
{
return height;
}
public void setHeight(double height)
{
if (height > 0.0)
this.height = height;
else
this.height = 1.0;
}
public double getVolume()
{
return volume;
}
public void setVolume(double volume)
{
this.volume = volume;
}
}
答案 0 :(得分:3)
在构造函数中,您需要使用与getter和setter中相同的测试,而不是直接设置值。目前,您使用new Cylinder(-1,-1)
绕过设置器中的测试。
答案 1 :(得分:0)
你的构造函数应该调用你的setter,你应该在setter中检查你的逻辑。如果调用代码传递负值,你真的想继续使用值1吗?
答案 2 :(得分:0)
你可以摆脱你的构造函数并使用:
Cylinder myTest = new Cylinder();
myTest.setHeight(-1);
myTest.setRadius(-1);
或者,您可以创建一个“工厂”方法:
public static Cylinder createCylinder(double radius, double height)
{
Cylinder tmp = new Cylinder();
tmp.setRadius(radius);
tmp.setHeight(height);
}
虽然不推荐,但从语法上讲,你也可以改变你的构造函数来调用setters.it看起来像这样:
public Cylinder(double radius, double height)
{
setRadius(radius);
setHeight(height);
}
为什么这被认为是不好的做法,请参阅:Java call base method from base constructor
答案 3 :(得分:0)
除了不在构造函数中执行测试之外,您也不设置音量(任何时候它都为空)。
因此,将构造函数更改为:
public Cylinder(double radius, double height)
{
this.setRadius(radius);
this.setHeight(height);
this.volume = volume();
}
删除 setVolume()
并将setHeight()
和setRadius()
设为私有。
答案 4 :(得分:0)
你的setter方法没有进行验证,因为你根本没有调用它们。正如其他人所评论的那样,一个好主意是在构造函数中调用它们,而不是直接将值分配给radius
和height
。
像你一样初始化Cylinder的属性本身并不正确。但是,由于您需要在输入上运行“< = 0”验证,并且您的setter已经实现了这个调用它们是一个简单的解决方案。
一些额外的注意事项不会影响您正在寻找的结果,但仍会跳到我身边:
TestCylinder
中,您可以调用两种getter方法,但不会将它们分配给任何内容。请记住,getters返回一个值,因此有效地调用它们无效。TestCylinder
中,您直接调用Cylinder.volume()
,而不是使用其getter方法getVolume
来获取柱面音量。在这里,我建议使用逻辑来计算getter上的音量并仅使用该方法,或者使用getter调用volume()
,以防你在Cylinder
的另一部分需要后者类。