Brandon Durst
Brandon Durst

Reputation: 1

I need to set a background image for a java DesktopApplication

I didn't know how, and there is no background image property. I researched the answer but all I could find was to set a labels icon inside a panel with a null layout. This worked and my image is there, but it is covering all but a single text field. Can I change the Z value of this label? I do not see a 'move to back' option, if there is one.

Upvotes: 0

Views: 776

Answers (1)

Branislav Lazic
Branislav Lazic

Reputation: 14806

This should solve your problem:

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;
import javax.swing.SwingUtilities;

public class TestImage {

    public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {

            @Override
            public void run() {
                ContentPane panel = new ContentPane();
                JFrame frame = new JFrame();
                frame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
                frame.add(panel);
                frame.pack();
                frame.setVisible(true);
            }
        });
    }

    private static class ContentPane extends JPanel {
        BufferedImage image = null;

        public ContentPane() {
            try {
                String pathToImage = "C:/Users/Branislav/Pictures/sun.jpg";
                image = ImageIO.read(new File(pathToImage));
            } catch (IOException e) {
                e.printStackTrace();
            }
        }

        protected void paintComponent(Graphics g) {
            super.paintComponent(g);
            g.drawImage(image, 0, 0, null);
        };

        @Override
        public Dimension getPreferredSize() {
            return new Dimension(image.getWidth(), image.getHeight());
        }
    }
}

Basically, I set image on JPanel (ContentPane). Also, size of your JPanel depends on size of image (at least in this case).

Regards.

Upvotes: 1

Related Questions