Java中毕达哥拉斯树的视觉表示

时间:2019-06-24 12:27:18

标签: java graphics2d fractals

我想用Java可视化毕达哥拉斯树,代码输出一个PNG固定图像。

我首先定义了Vector类,该类从两个向量分量(x,y)开始可以旋转向量,缩放向量或将其添加到另一个向量。

public class Vector {
    public double x;
    public double y;

    public Vector(double x, double y) {
        this.x = x;
        this.y = y;
    }

    public Vector rotated(double alpha) {
        double x1 = Math.cos(alpha) * x - Math.sin(alpha) * y;
        double y1 = Math.sin(alpha) * x + Math.cos(alpha) * y;
        Vector vRotated = new Vector(x1, y1);
        return vRotated;
    }

    public Vector scaled(double s) {
        double x1 = x * s;
        double y1 = y * s;
        Vector vScaled = new Vector(x1, y1);
        return vScaled;
    }

   public Vector added(Vector v) {
       double x1 = this.x+v.x;
       double y1 = this.y+v.y;
       Vector vAdded = new Vector(x1,y1);
       return vAdded;
   }
}

我还写了创建初始图像和背景并将其保存到所需路径的方法

  public static void createPythagorasTreeImage(int startSize) throws IOException {
    // Creation of the image object
    int height = 5 * startSize;
    int width = 8 * startSize;
    BufferedImage image = new BufferedImage(width, height, BufferedImage.TYPE_INT_RGB);

    // Create a Graphics2D object from the image and set a white background
    Graphics2D g = image.createGraphics();
    g.setColor(new Color(255, 255, 255));
    g.fillRect(0, 0, width, height);

    // Initial position and orientation of the first segment
    Vector startPos = new Vector(width / 2, startSize);
    Vector up = new Vector(0, 1);

    // Start the recursion.
    drawSegment(g, startPos, up, startSize, height);

    // Save the image as PNG
    String OS = System.getProperty("os.name").toLowerCase(); // different for win and unix
    String filePath = System.getProperty("user.dir") + (OS.indexOf("win") >= 0 ? "\\" : "/") + "pythagorasTree.png";
    System.out.println("Writing pythagoras-tree image to: " + filePath);
    ImageIO.write(image, "png", new File(filePath));
    }

我已经在维基百科上阅读了有关树的工作原理的信息,现在想实现该算法。 我需要帮助的是使用Graphics2D(我不太熟悉)实现这两种方法:

public static void drawRotatedRect(Graphics2D g, Vector pos, Vector up, int a, int height) {
    }

此方法应使用Graphics2D(也许使用g.fi llPolygon()?)在位置pos处绘制一个正方形,该矢量通过指示正方形的向上方向来指示正方形的旋转,a是正方形的边和高度是绘图空间的高度。

 public static void drawSegment(Graphics2D g, Vector pos, Vector up, int a, int height) {
    }

此方法应使用以前的方法绘制第一个正方形,而不是计算两个新正方形的位置和旋转并绘制它们,然后递归重复此操作,直到正方形的边长非常小(2px)为止。

这是我对毕达哥拉斯(Pythagoras)树的理解,我设法编写了大部分代码,并且只有当我让两种缺失的方法都能起作用时,这种想法才是正确的。

1 个答案:

答案 0 :(得分:0)

您可以通过绘制具有浮点(或双精度)精度的Path2D来使用Graphics2D上下文。我建议您这样做,因为您会注意到使用int precision可能会给您带来怪异的效果。

要绘制路径,请执行以下操作:

Path2D.Double rectangle = new Path2D.Double();

rectangle.moveTo(0, 0);
// ... basically draw the four points of the rectangle here. 
rectangle.closePath();

g.setColor(yourColorOfChoice);
g.fill(rectangle);

请注意,您需要手动绘制矩形,因为它们需要旋转,并且Graphics2D不能很好地旋转。您可以尝试使用固有的旋转,但会使背景像素化,而您将不喜欢它。

我非常期待您的结果。完成后,您可以将最终图像粘贴到您的问题中吗?