在Java Swing应用程序中显示背景图像

时间:2012-03-23 21:33:11

标签: java swing jframe jpanel

我读了几个关于我主题的答案,但我没有找到答案。 我想要一个我的java代码的背景。 我这里仅指代放置图像的代码 但它不起作用。

import java.awt.Container;
import java.awt.Dimension;
import java.awt.Graphics;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.IOException;
import javax.imageio.ImageIO;
import javax.swing.JFrame;
import javax.swing.JPanel;
public class background extends JFrame {
    private Container c;
    private JPanel imagePanel;

    public background() {
        initialize();
    }

    private void initialize() {
        setDefaultCloseOperation(EXIT_ON_CLOSE);
        c = getContentPane();
        imagePanel = new JPanel() {
            public void paint(Graphics g) {
                try {
                    BufferedImage image = ImageIO.read(new File("http://www.signe-zodiaque.com/images/signes/balance.jpg"));
                    g.drawImage(image, 1000, 2000, null);
                } catch (IOException e) {
                    e.printStackTrace();
                }
            }
        };
        imagePanel.setPreferredSize(new Dimension(640, 480));
        c.add(imagePanel);
    }

1 个答案:

答案 0 :(得分:6)

您在哪里找到该代码?如果从教程中,请丢弃它,因为它教你很不好的习惯。例如,......

  • 从不想要在paint(...)paintComponent(...)方法中读取图片文件(或任何文件)。首先,为什么每次重新绘制程序时都要重新读取程序,只需一次读取它就可以完成。但更重要的是,你希望你的paint / paintComponent方法尽可能精简,尽可能快,因为如果没有,你的绘图很慢而且很笨重,那么用户会觉得你的程序很慢而且很笨拙。
  • 使用JPanel的paintComponent(...)方法绘制绘图,而不是paint(...)方法。当你画画时,你将失去Swing免费提供的所有双重缓冲,你的动画将是生涩的。
  • 首先调用超级paintComponent(...)方法。
  • 阅读关于如何在Swing中进行图形和绘图的官方Painting with Swing tutorials,因为我猜测从上面的代码中你还没有完成这个最基本的步骤。你不会后悔这样做。
  • 此外,您似乎正在尝试将网址加载为我认为不起作用的文件。改为使用URL对象。

例如......

public class ZodiacImage extends JPanel {
   private static final String IMG_PATH = "http://www.signe-zodiaque.com/" +
        "images/signes/balance.jpg";
   private BufferedImage image;

   public ZodiacImage() {
      // either read in your image here using a ImageIO.read(URL)
      // and place it into the image variable, or else
      // create a constructor that accepts an Image parameter.
   }

   @Override
   protected void paintComponent(Graphics g) {
      super.paintComponent(g);
      if (image != null) {
         // draw your image here. 
      }
   }

   @Override  //if you want the size to match the images
   public Dimension getPreferredSize() {
      if (image != null) {
         return new Dimension(image.getWidth(), image.getHeight());
      }
      return super.getPreferredSize();
   }
}