views:

647

answers:

2

I want to draw rectangle based on mousedrag event. if user dragging the mouse, then the rectangle on the applet should increase or decrease basing on current mouse coordinates. i have the following code.

in the following code i am using SelectionArea class which extends a canvas on which i am performing drawing operation. i am using image variable in this class for double buffering to reduce flickering and to save the applet's previous state(i.e drawing content of applet)

but the code is working fine if i draw first rectangle. if i start to draw second rectangle the previously drawn rectangle is disappearing. i want the previously drawn rectangle to be on the screen

plz tell me how to solve this.

+1  A: 

What you need to do, is save the previously drawn rectangle in some sort of data structure, so you can draw it again later.

This code (sorry about the length, will do something similar to what you are describing.
To use it, just slap the JPanel inside of a JFrame.

public class DrawPane extends JPanel {

    private List<DrawnShape> drawings;
    private DrawnShape curShape;

    public DrawPane() {
     drawings = new ArrayList<DrawnShape>();
     setBackground(Color.WHITE);
     setPreferredSize(new Dimension(300, 300));
     addMouseListener(clickListener);
     addMouseMotionListener(moveListener);
    }

    @Override
    protected void paintComponent(Graphics g2) {
     super.paintComponent(g2);
     Graphics2D g = (Graphics2D) g2;
     for (DrawnShape s : drawings) {
      s.draw(g);
     }
     g.setColor(Color.BLACK);
     g.setStroke(new BasicStroke(2));

     if (curShape == null)
      return;
     curShape.draw(g);
    }

    private MouseListener clickListener = new MouseAdapter() {

     @Override
     public void mousePressed(MouseEvent e) {
      curShape = new DrawnShape(e.getPoint(), e.getPoint());
     }

     @Override
     public void mouseReleased(MouseEvent e) {
      drawings.add(new DrawnShape(curShape.getClickP(), e.getPoint()));
      curShape = null;
     }
    };

    private MouseMotionListener moveListener = new MouseMotionListener() {

     @Override
     public void mouseDragged(MouseEvent e) {
      curShape = new DrawnShape(curShape.getClickP(), e.getPoint());
      repaint();
     }
     @Override
     public void mouseMoved(MouseEvent e) {
     }
    };
}

class DrawnShape {

    private Point p1, p2;

    public DrawnShape(Point p1, Point p2) {
     this.p1 = p1;
     this.p2 = p2;
    }

    public Point getClickP() {
     return p1;
    }

    public void draw(Graphics2D g) {
     g.drawLine(p1.x, p1.y, p2.x, p1.y);
     g.drawLine(p1.x, p1.y, p1.x, p2.y);
     g.drawLine(p2.x, p2.y, p2.x, p1.y);
     g.drawLine(p2.x, p2.y, p1.x, p2.y);
    }
}
jjnguy
A: 

Custom Painting Approaches shows two techniques for doing this.

camickr