0

在我的 CS 类的项目中,我应该使用双精度值来缩放 LineSegment 并返回一个新 LineSegment,其起点与旧 LineSegment 的起点相同,但缩放后有一个新的终点。我不确定如何做到这一点。我试图将线段乘以标量,但这不起作用并且给了我一个不兼容的打字错误。这是我的代码。

public class LineSegment {
private final Point start;
private final Point end;
public LineSegment(Point start, Point end) {
    this.start = start;
    this.end = end;
}
public double slope() {
    return ((end.getY()-start.getY())/(end.getX()-start.getX()));
}
public double yIntercept() {
    return (start.getY()-(this.slope()*start.getX()));
}
public Point getStart() {
    return this.start;
}
public Point getEnd() {
    return this.end;
}
public double length() {
    return (Math.sqrt(Math.pow((end.getX()-start.getX()),2) + Math.pow((end.getY()-start.getY()),2)));
}

public LineSegment scaleByFactor(double scalar) {
    return null;
}
@Override
public String toString() {
    return ("y = " + this.slope() + "x +" + this.yIntercept());
}
}
4

1 回答 1

1

这不起作用:

public LineSegment scaleByFactor(double scalar) {
    return (this.length*scalar);
}

请注意,该this.length字段不存在。

但是即使你调用了 length 方法,length()你仍然会遇到一个严重的问题,因为你的方法声明它将返回一个LineSegment 对象,而你将返回一个数字。我建议您使用计算来创建一个新的 LineSegment 对象(提示 - 使用 new 和使用您的计算的参数调用构造函数)然后返回它。

在伪代码中:

public LineSegment scaleByFactor(double scalar) {
    // use scalar, start and end to calculate a new end parameter value
    // create new LineSegement object with the old start and new end parameters
    // return this newly created object
}
于 2013-09-24T01:03:24.700 回答