我需要实现一个Triangle类,并且我坚持比较两边的长度以确定三角形是否确实是等腰。以下是我到目前为止的情况:
public class TriangleIsosceles {
private Point cornerA;
private Point cornerB;
private Point cornerC;
private int x1;
private int y1;
private int x2;
private int y2;
private int x3;
private int y3;
public TriangleIsosceles(){
cornerA = new Point(0,0);
cornerB = new Point(10,0);
cornerC = new Point(5,5);
}
public TriangleIsosceles(int x1,int y1,int x2,int y2,int x3,int y3){
cornerA = new Point(x1,y1);
cornerB = new Point(x2,y2);
cornerC = new Point(x3,y3);
}
public String isIsosceles(String isIsosceles){
return isIsosceles;
}
}
我正在使用的Point
对象是:
public class Point {
private int x;
private int y;
public Point(){
this(0,0);
}
public Point(int x, int y){
this.x = x;
this.y = y;
}
public void setX(int x){
this.x=x;
}
public void setY(int y){
this.y=y;
}
public void printPoint(){
System.out.println(x + y);
}
public String toString(){
return "x = "+x+" y = "+y;
}
}
在另一个班级(LineSegment
)中,我创建了一个方法length()
,用于确定两个点的距离。看起来像:
public double length() {
double length = Math.sqrt(Math.pow(x1-x2,2) + Math.pow(y1-y2,2));
return length;
}
如何使用此方法帮助我找到TriangleIsosceles
班级中三角形的长度?
我知道我需要看看(lenghtAB == lengthBC || lengthBC == lenghtCA || lengthAB == lengthCA)
。
答案 0 :(得分:1)
快速,完全有效的解决方案是使长度方法成为静态实用方法,即
public static double length(x1, y1, x2, y2)
{
return Math.sqrt(Math.pow(x1 - x2, 2) + Math.pow(y1 - y2, 2));
}
or
public static double length(Point p1, Point p2)
{
return Math.sqrt(Math.pow(p1.x - p2.x, 2) + Math.pow(p1.y - p2.y, 2));
}
您也可以将方法添加到Point本身,即在Point类add:
中public double calcDistance(Point otherPoint)
{
return Math.sqrt(Math.pow(this.x - otherPoint.x, 2) + Math.pow(this.y - otherPoint.y, 2));
}
答案 1 :(得分:0)
假设您的LineSegment
类有一个带有两个Point
对象的构造函数,您应该创建三个LineSegment
对象(可以在Triangle
类中缓存)。然后使用LineSegment#getLength()
,您可以确定任何两边的长度是否相同。
由于这看起来像家庭作业,我不会给你完整的解决方案。