我正在开展一个个人项目,同时正在尝试它。我在3个文件中包含3个类:Calculate.java,Geometry.java和Test.java。
到目前为止,Geometry.java只包含一些我想要使用的变量,get / set方法以及构造函数方法。
package project;
public class Geometry {
public static double length, width;
public Geometry() {
this.setLength(20);
this.setWidth(30);
}
public void setLength(double length){
this.length = length;
}
public void setWidth(double width){
this.width = width;
}
public double getLength(){
return this.length;
}
public double getWidth(){
return this.width;
}
}
Calculate.java有一个Geometry类型的公共变量,以及一个处理我在Geometry.java中创建的变量的方法。
package project;
import project.Geometry;
public class Calculate {
public static Geometry figure = new Geometry();
public static double area;
public void calcArea(){
this.area = figure.getLength() * figure.getWidth();
}
public double getArea(){
return this.area;
}
}
最后,在Test.java中我创建了一个类型为Calculate的变量c1。
package project;
import project.Calculate;
public class Test{
public static void main(String[] args){
Calculate c1 = new Calculate;
Calculate c2 = new Calculate;
c1.figure.setLength(55);
c2.figure.setLength(75);
System.out.println("L1: "+c1.figure.getLength()+" L2: "+c2.figure.getLength());
}
}
控制台输出为:“L1:75 L2:75”
我对输出的解释是c1.figure和c2.figure正在将数据写入内存中的同一空间,因此,当我调用c2.figure.setLength(75)
时,它也改变了c1.figure.length
。
当我第一次编写此代码时,我假设c1.figure
和c2.figure
将维护自己的单独值,但它们不会。有没有办法实现这一点(让c1.figure
和c2.figure
维持自己的价值而不改变另一个)?
PS:我第一次在这里发帖,如果我弄乱格式化,我会提前道歉。
答案 0 :(得分:7)
public static Geometry figure = new Geometry();
无论您拥有多少Calculate
个实例,都会创建一个几何对象。删除static
关键字(每个类强制执行一个实例),每个Calculate
对象将包含一个Geometry
。
这同样适用于您的area
成员以及Geometry对象中的length
和width
。我不认为在这种情况下你需要静态的任何地方(事实上,在小项目中我很少需要它)。