0

我试图在 Java 中创建实现 DDA 线条绘制算法。我创建了 JFrame 表单和 dda.java 类。目前在 JFrame 中只有一个 Button 操作。而且我不确定在 JFrame 类中实现 DDA。我认为,drawPixel 方法可能有问题,但我完全不确定 JFrame 的实现。我很欣赏你的评论。

这是dda.java的画线方法

 void drawLineDDA(Graphics2D g) {
        dx=(double)(x2-x1);
        dy=(double)(y2-y1);
        double m=Math.abs(dy/dx);
        double absx=Math.abs(dx);
        double absy=Math.abs(dy);
        double px = absx/p; 
        double py = absy/p; 
        int p=0;
        float slope = 1; 

        if(y1==y2){
            if(x1==x2) return; //it is not a line, nothing happened
            slope = 0;
            absx = 1;
            absy = 0;
            p=(int) (dx/absx); //p means number of steps
        }
        else if(x1==x2){
            slope = 2;
            absx = 0;
            absy = 1;
            p = (int) (dy/absy);
        }
        else{
            slope = (float) (dy/dx);
            absx=1;
            absy=slope*absx;
            p= (int) ((dy/absy > dx/absx) ? dy/absy : dx/absx);
        }
        for(int i = 0; i <=p;i++){

            drawPixel(x1,y1,Color.BLACK);

            x1 += absx;
            y1 += absy;
        }}

方法在dda.java中绘制像素

private void drawPixel(int x1, int y1, Color BLACK) {
      g.drawOval(x1, y1, x1+5, y1+5); //can be mistake right here?
    }

JFrame 类的一部分

public class NewJFrame extends javax.swing.JFrame {
    int x1,x2,y1,y2;
 Graphics2D g;
 dda d;


    public NewJFrame() {
        this.d = new dda(20,30,20,50); //maybe this is not good?
        initComponents();

    }

    private void jButton1ActionPerformed(java.awt.event.ActionEvent evt) {                                         
         g = (Graphics2D) jPanel1.getGraphics();
        d.drawLineDDA(g);   // and I am definielly not sure about this
    }
4

1 回答 1

0

您不应该getGraphics()用于自定义绘画,因为它是一个临时缓冲区,在下次重新绘画时会被回收。你在画paintComponent()。覆盖paintComponent()aJComponent或的方法JPanel。有关更多信息和示例,请参阅执行自定义绘画。另请参阅AWT 和 Swing 中的绘画

方法上还有一个问题drawPixel,因为椭圆的尺寸取决于坐标。尝试使用恒定尺寸。fillOval可能更适合。这是一个例子:

private void drawPixel(Graphics2D g, int x1, int y1) {
    g.fillOval(x1, y1, 3, 3);
}
于 2013-11-29T00:54:13.510 回答