import javax.sound.sampled.*;
import java.io.File;
public class PlayAudio{
public static void main(String args[])throws Exception{
File wavFile = new File("C:\\Users\\User\\Desktop\\Wate.wav");
AudioInputStream ais = AudioSystem.getAudioInputStream(wavFile);
Clip clip=AudioSystem.getClip();
clip.open(ais);
clip.start();
}
}
我的问题是:为什么音乐不能在这个应用程序中播放? (IDE是Eclipse)
答案 0 :(得分:3)
问题是您的主应用程序线程在声音片段播放之前退出。您可以在Thread.sleep
之后使用任意超时来调用clip.start()
,但最好创建一个专用的Thread
来跟踪播放时的音频数据:
public class PlayAudio {
AudioFormat audioFormat;
AudioInputStream audioInputStream;
SourceDataLine sourceDataLine;
boolean stopPlayback = false;
public void playAudio(File soundFile) throws UnsupportedAudioFileException,
IOException, LineUnavailableException {
audioInputStream = AudioSystem.getAudioInputStream(soundFile);
audioFormat = audioInputStream.getFormat();
DataLine.Info dataLineInfo = new DataLine.Info(SourceDataLine.class, audioFormat);
sourceDataLine = (SourceDataLine) AudioSystem.getLine(dataLineInfo);
new Thread(new PlayThread()).start();
}
public static void main(String[] args) throws UnsupportedAudioFileException, IOException, LineUnavailableException {
new PlayAudio().playAudio(new File("myclip.wav"));
}
class PlayThread implements Runnable {
byte soundBuffer[] = new byte[10000];
@Override
public void run() {
try {
sourceDataLine.open(audioFormat);
sourceDataLine.start();
int cnt;
while ((cnt = audioInputStream.read(soundBuffer, 0,
soundBuffer.length)) != -1 && stopPlayback == false) {
if (cnt > 1) {
sourceDataLine.write(soundBuffer, 0, cnt);
}
}
sourceDataLine.drain();
sourceDataLine.close();
stopPlayback = false;
} catch (Exception e) {
e.printStackTrace();
}
}
}
}