Search code examples
javaswingjprogressbar

Nice looking progress bar in java


I'm wondering if any of you know how to display a nice looking progress bar in Java, mostly using Swing, although I don't mind using third-party libraries.

I've been looking at JProgressBar tutorials but none of them refer to styling the bar. Reading the API I found a getUI method that returns ProgressBarUI object but I don't see many ways to customize that one.

What I want is to add rounded corners, change background and foreground color, width, lenght, the usual.

Thanks!


Solution

  • If you don't want to replace the user's chosen Look & Feel, you can just replace the UI delegate with one derived from BasicProgressBarUI.

    enter image description here

    import java.awt.Color;
    import java.awt.EventQueue;
    import java.awt.Graphics;
    import java.awt.Graphics2D;
    import java.awt.Rectangle;
    import java.awt.RenderingHints;
    import javax.swing.JComponent;
    import javax.swing.JFrame;
    import javax.swing.JPanel;
    import javax.swing.JProgressBar;
    import javax.swing.plaf.basic.BasicProgressBarUI;
    
    /** @see http://stackoverflow.com/questions/8884297 */
    public class ProgressBarUITest extends JPanel {
    
        public ProgressBarUITest() {
            JProgressBar jpb = new JProgressBar();
            jpb.setUI(new MyProgressUI());
            jpb.setForeground(Color.blue);
            jpb.setIndeterminate(true);
            this.add(jpb);
        }
    
        private static class MyProgressUI extends BasicProgressBarUI {
    
            private Rectangle r = new Rectangle();
    
            @Override
            protected void paintIndeterminate(Graphics g, JComponent c) {
                Graphics2D g2d = (Graphics2D) g;
                g2d.setRenderingHint(
                    RenderingHints.KEY_ANTIALIASING,
                    RenderingHints.VALUE_ANTIALIAS_ON);
                r = getBox(r);
                g.setColor(progressBar.getForeground());
                g.fillOval(r.x, r.y, r.width, r.height);
            }
        }
    
        private void display() {
            JFrame f = new JFrame("ProgressBarUITest");
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.add(this);
            f.pack();
            f.setLocationRelativeTo(null);
            f.setVisible(true);
        }
    
        public static void main(String[] args) {
            EventQueue.invokeLater(new Runnable() {
    
                @Override
                public void run() {
                    new ProgressBarUITest().display();
                }
            });
        }
    }