编程语言
首页 > 编程语言> > Java Swing在MigLayout中添加图像代码似乎不起作用?

Java Swing在MigLayout中添加图像代码似乎不起作用?

作者:互联网

因此,我有自己的自定义JFrame,并尝试在其中创建自动调整大小的图像,以将其包含在JFrame的内容JPanel frameContent中.我的JPanel布局管理器是MigLayout,因此我想再创建一个JPanel子级,称为ImagePanel.这是我的ImagePanel类最终的样子:

class ImagePanel extends JPanel{
    private static final long serialVersionUID = -5602032021645365870L;
    private BufferedImage image;

    public ImagePanel() {
        try {                
            image = ImageIO.read(new File(getClass().getResource("../res/Title.png").toURI()));
        } catch (Exception e) {
            e.printStackTrace();
        }
    }

    @Override
    protected void paintComponent(Graphics g) {
        super.paintComponent(g);
        g.drawImage(image, getWidth(), getHeight(), null);      
    }

}

现在由于某种原因,它似乎并没有真正在“起作用”.设置主要JFrame的内容时,我会调用:

framecontent.add(new ImagePanel(),  "pos 5% 5% 95% 45%");

这并不是说它没有添加组件,因为使用此代码,我可以获得以下屏幕:

请注意,它是如何在灰色背景上勾勒出该区域的轮廓,这意味着正在运行paintComponent(g)方法,并且程序也不会输出任何错误,这很奇怪,这意味着它正在查找我的图像,只是没有放置它.

这是我的文件层次结构:

Project Folder >
    src >
        res >
            Title.png (Picture I want to retrieve)
        guiwork >
            Working.class (Class that is running instructions/ main)

全部解决,这是自动调整大小的结果:

解决方法:

Notice how it outlines the area against the gray background, meaning the paintComponent(g) method is being run, and the program also isn’t outputting any errors, which is strange, so that means it is finding my image, just not placing it.

不能,因为空图像不会引发任何错误.为了证明这一点,请在paintComponent方法中测试图像变量,您可能会发现它实际上为null.

即,尝试以下操作:

@Override
protected void paintComponent(Graphics g) {
    super.paintComponent(g);
    System.out.println("image is null: " + (image == null)); // TODO: Delete this
    g.drawImage(image, getWidth(), getHeight(), null);      
}

解决方案:不要将资源更改为文件,而是按原样使用资源,并确保您在正确的位置查找它.

编辑
哎呀,您绘制的图像超出了组件的范围:

g.drawImage(image, getWidth(), getHeight(), null);  

尝试:

g.drawImage(image, 0, 0, null);  

编辑2
如果您尝试一个简单的测试程序,该怎么办?

import java.awt.image.BufferedImage;
import java.io.IOException;

import javax.imageio.ImageIO;
import javax.swing.ImageIcon;
import javax.swing.JOptionPane;

public class TestImage {
   public TestImage() throws IOException {
      String path = "/res/Title.png";
      BufferedImage img = ImageIO.read(getClass().getResource(path));
      ImageIcon icon = new ImageIcon(img);
      JOptionPane.showMessageDialog(null, icon);
   }
   public static void main(String[] args) {
      try {
         new TestImage();
      } catch (IOException e) {
         e.printStackTrace();
      }
   }
}

并确保将其放置在与当前课程相同的位置.它运行吗?

标签:miglayout,javax-imageio,image,swing,java
来源: https://codeday.me/bug/20191121/2055472.html