Java загрузка процентного потока прогресса
Я разрабатываю Java-приложение, в котором я сохраняю большие файлы, используя bufferedInputStream. Я поместил индикатор выполнения в JDialog, который показывает процент загруженных файлов и увеличивается каждые n секунд. Проблема заключается в том, что приложение ожидает в течение неопределенного времени закрытия диалогового окна, поэтому оно никогда не закрывается. Кто-нибудь может помочь?
Вот основной фрагмент приложения:
JDialog dialog = new JDialog(Main.getMainFrame(), true);
ProgressBarJPanel progressBarJPanel = new ProgressBarJPanel();
dialog.setContentPane(progressBarJPanel);
dialog.pack();
dialog.setVisible(true);
while ((val = bufferedInputStream.read()) != -1)
{
fileOutputStream.write(val);
}
progressBarJPanel.end();
dialog.setVisible(false);
и инкриминируемый класс
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class ProgressBarJPanel extends JPanel
implements ActionListener
{
private JProgressBar progressBar;
private Timer timer;
public Thread updateThread;
public final static int ONE_SECOND = 1000;
private JTextArea taskOutput;
private String newline = "\n";
int timeNow= 0;
int progress = 0;
public ProgressBarJPanel()
{
super(new BorderLayout());
progressBar = new JProgressBar(0, 100);
progressBar.setValue(0);
progressBar.setStringPainted(true);
taskOutput = new JTextArea(5, 20);
taskOutput.setMargin(new Insets(5,5,5,5));
taskOutput.setEditable(false);
taskOutput.setCursor(null);
JPanel panel = new JPanel();
panel.add(progressBar);
add(panel, BorderLayout.PAGE_START);
add(new JScrollPane(taskOutput), BorderLayout.CENTER);
setBorder(BorderFactory.createEmptyBorder(20, 20, 20, 20));
//Create a timer.
timer = new Timer(ONE_SECOND, new ActionListener() {
@Override
public void actionPerformed(ActionEvent evt) {
progressBar.setValue(progress);
progress+=10;
String s = "now at "+progress+"%";
if (s != null) {
taskOutput.append(s + newline);
taskOutput.setCaretPosition(
taskOutput.getDocument().getLength());
}
}
});
}
public void end()
{
timer.stop();
}
public void startProgress()
{
timer.start();
}
/**
* Create the GUI and show it. For thread safety, this method should be
* invoked from the event-dispatching thread.
*/
private static void createAndShowGUI()
{
//Make sure we have nice window decorations.
JFrame.setDefaultLookAndFeelDecorated(true);
//Create and set up the window.
JFrame frame = new JFrame("ProgressBarDemo");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
//Create and set up the content pane.
JComponent newContentPane = new ProgressBarJPanel();
newContentPane.setOpaque(true); //content panes must be opaque
frame.setContentPane(newContentPane);
//Display the window.
frame.pack();
frame.setVisible(true);
}
public static void main(String[] args)
{
createAndShowGUI();
}
@Override
public void actionPerformed(ActionEvent e)
{
throw new UnsupportedOperationException("Not supported yet.");
}
}
-- РЕДАКТИРОВАТЬ
Вот решение, основанное на совете ben75:
JDialog dialog = new JDialog(Main.getMainFrame(), true);
ProgressBarJPanel progressBarJPanel = new ProgressBarJPanel();
dialog.setContentPane(progressBarJPanel);
Runnable r = new Runnable(){
public void run(){
SwingUtilities.invokeLater(new Runnable()
{
@Override
public void run()
{
progressBarJPanel.startProgress();
dialog.pack();
dialog.setVisible(true);
}
});
//this is the long running job
while ((val = bufferedInputStream.read()) != -1)
{
fileOutputStream.write(val);
}
//here is the callback to UI thread
SwingUtilities.invokeLater(new Runnable(){
public void run(){
progressBarJPanel.end();
dialog.setVisible(false);
}
}
};
Thread t = new Thread(r);
t.start();
3 ответа
Вы должны выполнять трудоемкие задания в другом потоке (то есть не в потоке пользовательского интерфейса) и в конце обратного вызова задания в потоке пользовательского интерфейса закрывать диалоговое окно.
Более или менее, как это может быть закодировано:
JDialog dialog = new JDialog(Main.getMainFrame(), true);
ProgressBarJPanel progressBarJPanel = new ProgressBarJPanel();
dialog.setContentPane(progressBarJPanel);
dialog.pack();
dialog.setVisible(true);
Runnable r = new Runnable(){
public void run(){
//this is the long running job
while ((val = bufferedInputStream.read()) != -1)
{
fileOutputStream.write(val);
}
//here is the callback to UI thread
SwingUtilities.invokeLater(new Runnable(){
public void run(){
progressBarJPanel.end();
dialog.setVisible(false);
}
}
};
Thread t = new Thread(r);
t.start();
Это было бы идеальной работой для SwingWorker
- сделать загрузку в doInBackground
и позвони setProgress
с обновленным номером прогресса каждый раз. Обновите индикатор выполнения, используя PropertyChangeListener
и закройте диалог в done
и то, и другое гарантированно работает в потоке обработки событий.
Есть пример, очень близкий к тому, что вам нужно в javadoc, с которым я связан выше.
Выбросьте все это и используйте javax.swing.ProgressMonitorInputStream.