所以我正在制作一个简单的绘画程序,我有两个面板。第一个面板位于右侧,是画布。另一个,停靠在右侧,用于保持工具按钮,但它目前只有一个清晰的按钮。问题是,当我开始点击画布时,结果就会在上面绘制清除按钮。知道我错过了什么吗?
public class Paint extends JFrame implements ActionListener {
private Canvas canvas;
private JButton clear;
private JPanel tools;
Paint(){
canvas= new Canvas();
add(canvas,BorderLayout.CENTER);
clear= new JButton("Clear");
clear.addActionListener(this);
tools= new JPanel();
tools.add(clear);
add(tools,BorderLayout.WEST);
}
public void actionPerformed(ActionEvent e){
if(e.getSource()==clear){
canvas.clear();
}
}
public static void main(String[] args) {
Paint paint=new Paint();
paint.setSize(1000,800);
paint.setVisible(true);
paint.setDefaultCloseOperation(EXIT_ON_CLOSE);
}
}
画布:
public class Canvas extends JPanel {
private int x= -10;
private int y= -10;
private boolean clear=false;
Canvas(){
addMouseListener(new MouseAdapter(){
@Override
public void mousePressed(MouseEvent e){
x=e.getX();
y=e.getY();
draw();
}
});
addMouseMotionListener(new MouseMotionAdapter(){
@Override
public void mouseDragged(MouseEvent e){
x=e.getX();
y=e.getY();
draw();
}
});
}
@Override
public void paintComponent(Graphics g){
if(clear){
super.paintComponent(g);
clear=false;
}
else{
g.fillOval(x,y,4,4);
}
}
public void draw(){
this.repaint();
}
public void clear(){
clear=true;
repaint();
}
}
答案 0 :(得分:2)
Graphics
是一个共享资源,也就是说,在绘制周期中绘制的每个组件都使用相同的Graphics
上下文。
paintComponent
的其中一项工作是为组件绘制准备Graphics
上下文,无法调用super.paintComponent
每次调用paintComponent
都离开了什么以前是在Graphics
背景下绘制的。
每次调用super.paintComponent
时都致电paintComponent
。
Swing中的绘画是破坏性的,也就是说,每当调用paintComponent
时,您都需要重新绘制组件的整个状态。