2

我的游戏通过通常的方法播放声音:

sdl.open();
sdl.start();
sdl.write(data, 0, data.length);
sdl.drain();
sdl.stop();
sdl.close();

并且用户可以取消播放(异步):

sdl.stop();

这种取消在 Windows 下运行良好,但对于运行 OSX 10.5.8 和 Java 6 的用户,程序会挂起。Threaddump 显示播放线程在 drain(): 内com.sun.media.sound.MixerSourceLine.nDrain。如果用户没有中断声音,它会很好地完成并且应用程序会继续。

我的问题是:

  • 这是一个 OSX Java 错误吗?
  • 我应该使用sdl.close()而不是停止吗?
  • 关于解决方法的任何建议或经验?

编辑:我发现这个错误报告具有类似的效果,但页面说它是固定的。

4

1 回答 1

1

作为参考,此示例使用close()通常在 Java 5 或 6 下退出。

在 EDT 上调用stop(),而不是close(),会挂起 Java 5 和 6,除非line已经在初始线程上正常关闭。这似乎是drain()阻塞的预期结果,因为停止的线路无法排出。

import java.awt.EventQueue;
import javax.sound.sampled.AudioFormat;
import javax.sound.sampled.AudioSystem;
import javax.sound.sampled.LineUnavailableException;
import javax.sound.sampled.SourceDataLine;
import javax.swing.JOptionPane;

/**
 * @see https://stackoverflow.com/questions/7803310
 * @see https://stackoverflow.com/questions/2065693
 */
public class Tone {

    public static void main(String[] args) throws LineUnavailableException {
        final AudioFormat af =
            new AudioFormat(Note.SAMPLE_RATE, 8, 1, true, true);
        final SourceDataLine line = AudioSystem.getSourceDataLine(af);
        EventQueue.invokeLater(new Runnable() {

            public void run() {
                JOptionPane.showMessageDialog(null, "Halt");
                //line.stop(); // stops and hangs on drain
                line.close();
            }
        });
        line.open(af, Note.SAMPLE_RATE);
        line.start();
        for (Note n : Note.values()) {
            play(line, n, 500);
            play(line, Note.REST, 10);
        }
        line.drain();
        line.close();
    }

    private static void play(SourceDataLine line, Note note, int ms) {
        ms = Math.min(ms, Note.SECONDS * 1000);
        int length = Note.SAMPLE_RATE * ms / 1000;
        int count = line.write(note.data(), 0, length);
    }
}

需要Note.

于 2011-10-18T15:07:31.670 回答