Akash
Akash

Reputation: 425

Drawing lines on canvas using Mouse without Swing in java

My Quesition is similar to this question

Drawing lines with mouse on canvas : Java awt

My problem is that When the windows is minimized and maximized , the drawn lines are gone everytime

But my working is quite different because i used only awt components and without swing.

import java.awt.*;
import java.awt.event.*;
class Drawing extends WindowAdapter implements MouseMotionListener, MouseListener, ComponentListener {

    Frame f;
    Canvas c;
    int X=400,Y=400;
    int px=-1,py=-1;
    int x,y;

    public Drawing() {
        f=new Frame("Drawing - Canvas");
        f.addWindowListener(this);
        f.addComponentListener(this);
        f.setSize(X,Y);
        c=new Canvas();
        f.add(c);
        c.addMouseMotionListener(this);
        c.addMouseListener(this);
        f.setVisible(true);
    }

    public void componentResized(ComponentEvent e) {}
    public void componentHidden(ComponentEvent e) {}
    public void componentMoved(ComponentEvent e) {}
    public void componentShown(ComponentEvent e) {}

    public void mouseMoved(MouseEvent e) {}
    public void mouseClicked(MouseEvent e) {}
    public void mouseEntered(MouseEvent e) {}
    public void mousePressed(MouseEvent e) {}
    public void mouseExited(MouseEvent e) {}

    public void mouseDragged(MouseEvent e) {
        int x,y;
        x=e.getX();
        y=e.getY();
        Graphics g=c.getGraphics();

        if(px!=-1) {    
            g.drawLine(px,py,x,y);
        }
        else {
            g.drawLine(x,y,x,y);
        }

        px=x;
        py=y;
    }

    public void mouseReleased(MouseEvent e) {
        this.X=400; this.Y=400;
        this.px=-1; this.py=-1;
    }

    public void windowClosing(WindowEvent e) {
        f.dispose();
    }

    public static void main(String[] args) {
      Drawing c=new Drawing();
    }   
}

Can someone help me out on these problems ?

Upvotes: 0

Views: 168

Answers (1)

MadProgrammer
MadProgrammer

Reputation: 347184

getGraphics is NEVER the write way to perform custom paint.

Start by having a read through Painting in AWT and Swing and Performing Custom Painting for a better understanding how painting works and how you should work with it.

The simple answer is, you need to maintain a model of what has been painted, so that on each paint pass you can re-draw it.

For example Resize the panel without revalidation, Draw trail of circles with mouseDragged, Why is my line not drawing?

Upvotes: 1

Related Questions