JLayer 不支持连续播放,所以你必须使用循环在旧播放器完成后重复启动新播放器。例如:
try
{
do
{
FileInputStream buff = new FileInputStream(Okno.filename);
prehravac = new AdvancedPlayer(buff );
prehravac .play();
}while(loop);
}
catch(Exception ioe)
{
//TODO error handling
}
使用循环作为布尔值,您可以根据您是否希望它只播放一次或重复播放,以不同的方法设置 true 或 false。
如果您想稍后访问该线程,您至少应该将其声明为一个变量。更好的是编写一个扩展线程的单独类。这样做可以将方法添加到以后可以调用的线程。
对于您的代码,它可能看起来像这样:
import java.io.*;
import javazoom.jl.player.*;
public class MyAudioPlayer extends Thread {
private String fileLocation;
private boolean loop;
private Player prehravac;
public MyAudioPlayer(String fileLocation, boolean loop) {
this.fileLocation = fileLocation;
this.loop = loop;
}
public void run() {
try {
do {
FileInputStream buff = new FileInputStream(fileLocation);
prehravac = new Player(buff);
prehravac.play();
} while (loop);
} catch (Exception ioe) {
// TODO error handling
}
}
public void close(){
loop = false;
prehravac.close();
this.interrupt();
}
}
有了这个,您可以像这样简单地随时随地创建线程:
private MyAudioPlayer thePlayer;
[... some class code here...]
public void yourMethod(){
thePlayer = new MyAudioPlayer("path of the music file", true);
thePlayer.start();
}
如果你想在某个时候摆脱它,请thePlayer.close();
注意 thePlayer 应该是一个实例变量,这样你就可以再次重用它。如果你只在一个方法中声明它,它会在方法完成后消失。
希望这可以帮助。