我是Java,Swing和GUI编程的新手,所以我可能遗漏了许多关于使用Swing构建GUI以及后面的线程模型的中心观点。我正在尝试的练习包括一个用于在画布上创建,移动和调整图形大小的应用程序。此外,我试图保持View尽可能无行为,Presenter对象负责注入所需的行为。换句话说,我不希望View了解数字或必须如何绘制它们,它只是为Presenter提供了一个setUpdater()方法来提供一个对象,该对象知道必须绘制什么才能表示一个状态。模型。
但我发现了一个问题:在某些情况下,数字会丢失。例如,如果我图标化然后取消图标化应用程序窗口。我认为我的canvas组件的paintComponent()没有被调用,但断点显示我的问题不同:它被调用并且数字被绘制,但随后消失了。
我试图简化我的代码以显示没有按钮,滑块甚至模型的问题。但是,我为View和Presenter保留了单独的类,因为这种分离对我的目的很重要。
在我测试简化示例的机器中,调用paintComponent时绘制的图形(始终是相同的圆)不仅在去除图像后消失,而且每次绘制时都消失。
请帮助我了解正在发生的事情......以及如何解决它。
TYIA。
PS1:简化代码如下:
import java.awt.*;
import javax.swing.*;
interface ViewUpdater {
void updateCanvas(Graphics2D g2d);
}
class View {
private JFrame windowFrame;
private JPanel canvasPanel;
private ViewUpdater updater;
public static final Color CANVAS_COLOR = Color.white;
public static final int CANVAS_SIDE = 500;
public View() {
windowFrame = new JFrame();
windowFrame.
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
canvasPanel = new JCanvas();
canvasPanel.setBackground(CANVAS_COLOR);
canvasPanel.
setPreferredSize(new Dimension(CANVAS_SIDE,
CANVAS_SIDE));
windowFrame.getContentPane().add(canvasPanel);
windowFrame.pack();
windowFrame.setResizable(false);
}
public void setVisible() {
windowFrame.setVisible(true);
}
public void setUpdater(ViewUpdater updater) {
this.updater = updater;
}
public void updateView() {
System.out.println("BEGIN updateView");
Graphics2D g2d =(Graphics2D) canvasPanel.getGraphics();
g2d.setColor(CANVAS_COLOR);
g2d.fillRect(0, 0, CANVAS_SIDE, CANVAS_SIDE);
if (updater != null) {
System.out.println("GOING TO updateCanvas");
updater.updateCanvas(g2d);
}
System.out.println("END updateView");
}
private class JCanvas extends JPanel {
private static final long serialVersionUID =
7953366724224116650L;
@Override
protected void paintComponent(Graphics g) {
System.out.println("BEGIN paintComponent");
super.paintComponent(g);
updateView();
System.out.println("END paintComponent");
}
}
}
class Presenter {
private View view;
private static final Color FIGURE_COLOR = Color.black;
public Presenter(View view) {
this.view = view;
this.view.setUpdater(new ProjectViewUpdater());
this.view.setVisible();
}
private class ProjectViewUpdater
implements ViewUpdater {
@Override
public void updateCanvas(Graphics2D g2d) {
g2d.setColor(FIGURE_COLOR);
g2d.drawOval(100, 100, 300, 300);
// The circle immediately disappears!
}
}
}
public class Main {
public static void main(String[] args) {
new Presenter(new View());
}
}
PS2:我正在阅读http://www.javaworld.com/javaworld/jw-08-2007/jw-08-swingthreading.html以了解使用Swing所涉及的线程模型,但我仍然没有对我的代码中的线程进行任何特殊操作。
PS3:我没有找到我的问题谷歌搜索的答案,最相似的问题可能是http://www.eclipse.org/forums/index.php/t/139776/中没有答案的问题。答案 0 :(得分:4)
你的问题是你通过在JPanel上调用getGraphics()
来获取你的Graphics对象,并且这样获得的任何Graphics对象都不会持久,所以用它绘制的任何东西都会在下一次重绘时消失
解决方案:不要这样做。
getGraphics()
或createGraphics()
以获取其Graphics或Graphics2D对象,绘制它,处理它,然后在JComponent或JPanel的paintComponent(...)
方法中绘制BufferedImage再次使用JVM传入的Graphics对象。根据您的情况,我认为最好使用BufferedImage或上面的第2点。