2

我正在制作一个动画进度条,其中我使用了多个fillRect()类方法javax.swing.Graphics
为了在绘制每个矩形后延迟,我使用Thread.sleep(500)了延迟的方法,(许多论坛建议延迟)。
问题是,不是在显示每个矩形框后延迟 0.5 秒,而是在开始时占用所有矩形所需的整个延迟,然后显示最终图像,即进度条。
问题 1
为每个单条设置延迟,我将延迟“ Thread.sleep(500)”与条“ fillRect()”放在一个单for() loop中,我想知道,为什么在开始时需要所有延迟,然后显示完成的 ProgressBar。
问题2
如何更改我的代码,以便延迟可以与每个矩形条同时发生,所以当我运行程序时,它应该生成一个动画进度条。
代码:

import javax.swing.JOptionPane;
import java.awt.Graphics;
import javax.swing.JFrame;
import javax.swing.JPanel;
import java.awt.Color;

class DrawPanel extends JPanel
{
    public paintComponent(Graphics g)
    {
        super.paintComponent(g);
        g.setColor(new Color(71,12,3));
        g.fillRect(35,30,410,90);

        for ( int i=1; i<=40; i+=2)
        {
          Color c = new Color (12*i/2,8*i/2,2*i/2);
          g.setColor(c);
          g.fillRect( 30+10*i,35,20,80);

        try
          { Thread.sleep(500); } 
        catch(InterruptedException ex)
          { Thread.currentThread().interrupt(); }
        }
    }
}

class ProgressBar
{
    public static void main (String []args)
    {
        DrawPanel panel = new DrawPanel();
        JFrame app = new JFrame();
        app.setDefaultCloseOperation (JFrame.EXIT_ON_CLOSE);
        app.add(panel);
        app.setSize(500,200);
        app.setVisible(true);
    }
}  

非常感谢您的帮助,谢谢。

4

2 回答 2

6

不要阻塞 EDT(事件调度线程)——当这种情况发生时,GUI 将“冻结”。而不是为重复的任务调用Thread.sleep(n)实现 Swing Timer。有关更多详细信息,请参阅Swing 中的并发。另外请务必查看@Brian 链接的进度条教程。它包含工作示例。

import java.awt.*;
import java.awt.event.*;
import javax.swing.*;

class DrawPanel extends JPanel
{
    int i = 0;
    public DrawPanel() {
        ActionListener animate = new ActionListener() {
            public void actionPerformed(ActionEvent ae) {
                repaint();
            }
        };
        Timer timer = new Timer(50,animate);
        timer.start();
    }
    public void paintComponent(Graphics g)
    {
        super.paintComponent(g);
        g.setColor(new Color(71,12,3));
        g.fillRect(35,30,410,90);

        Color c = new Color (12*i/2,8*i/2,2*i/2);
        g.setColor(c);
        g.fillRect( 30+10*i,35,20,80);

        i+=2;
        if (i>40) i = 0;
    }
}

class ProgressBar
{
    public static void main (String []args)
    {
        DrawPanel panel = new DrawPanel();
        JFrame app = new JFrame();
        app.setDefaultCloseOperation (JFrame.EXIT_ON_CLOSE);
        app.add(panel);
        app.setSize(500,200);
        app.setVisible(true);
    }
}
于 2012-11-16T10:32:26.987 回答
1

我真的不会这样做。Swing 刷新线程不应该像这样使用。您最好使用另一个线程(可能使用TimerTask)并根据需要重绘矩形。

查看 Oracle ProgressBar 教程以获取更多信息、代码等。

于 2012-11-16T09:58:13.633 回答