3

有没有比这更好的在 Java 中闪烁窗口的方法:

public static void flashWindow(JFrame frame) throws InterruptedException {
        int sleepTime = 50;
        frame.setVisible(false);
        Thread.sleep(sleepTime);
        frame.setVisible(true);
        Thread.sleep(sleepTime);
        frame.setVisible(false);
        Thread.sleep(sleepTime);
        frame.setVisible(true);
        Thread.sleep(sleepTime);
        frame.setVisible(false);
        Thread.sleep(sleepTime);
        frame.setVisible(true);
}

我知道这段代码很可怕......但它工作正常。(我应该实现一个循环......)

4

2 回答 2

6

有两种常见的方法可以做到这一点:使用 JNI 在任务栏窗口上设置紧急提示,并创建通知图标/消息。我更喜欢第二种方式,因为它是跨平台的并且不那么烦人。

请参阅有关类的文档TrayIcon,尤其是displayMessage()方法。

以下链接可能感兴趣:

于 2008-09-05T04:56:17.533 回答
1

好吧,我们可以做一些小的改进。;)

我会使用 Timer 来确保调用者不必等待方法返回。并且在给定窗口上一次防止多个闪烁操作也很好。

import java.util.Map;
import java.util.Timer;
import java.util.TimerTask;
import java.util.concurrent.ConcurrentHashMap;
import javax.swing.JFrame;

public class WindowFlasher {

    private final Timer timer = new Timer();
    private final Map<JFrame, TimerTask> flashing
                              = new ConcurrentHashMap<JFrame, TimerTask>();

    public void flashWindow(final JFrame window,
                            final long period,
                            final int blinks) {
        TimerTask newTask = new TimerTask() {
            private int remaining = blinks * 2;

            @Override
            public void run() {
                if (remaining-- > 0)
                    window.setVisible(!window.isVisible());
                else {
                    window.setVisible(true);
                    cancel();
                }
            }

            @Override
            public boolean cancel() {
                flashing.remove(this);
                return super.cancel();
            }
        };
        TimerTask oldTask = flashing.put(window, newTask);

        // if the window is already flashing, cancel the old task
        if (oldTask != null)
            oldTask.cancel();
        timer.schedule(newTask, 0, period);
    }
}
于 2008-09-05T04:34:22.000 回答