我基本上想要互相播放一系列mp3文件。 它不应该变硬,但我很难保持解码器和扬声器通道打开,以便在播放完歌曲后输入新的mp3数据。 这是我目前为止的精简版,播放一个mp3文件。
var audioOptions = {channels: 2, bitDepth: 16, sampleRate: 44100};
// Create Decoder and Speaker
var decoder = lame.Decoder();
var speaker = new Speaker(audioOptions);
// My Playlist
var songs = ['samples/Piano11.mp3','samples/Piano12.mp3','samples/Piano13.mp3'];
// Read the first file
var inputStream = fs.createReadStream(songs[0]);
// Pipe the read data into the decoder and then out to the speakers
inputStream.pipe(decoder).pipe(speaker);
speaker.on('flush', function(){
// Play next song
});
我使用TooTallNate的模块node-lame(用于解码)和node-speaker(用于通过扬声器输出音频)。
答案 0 :(得分:3)
对于您提到的模块没有任何经验,但我认为每次要播放歌曲时都需要重新打开扬声器(因为您将解码后的音频传输到它上面,一旦完成解码器就会关闭它)。
您可以将代码重写为此类代码(未经测试);
var audioOptions = {channels: 2, bitDepth: 16, sampleRate: 44100};
// Create Decoder and Speaker
var decoder = lame.Decoder();
// My Playlist
var songs = ['samples/Piano11.mp3','samples/Piano12.mp3','samples/Piano13.mp3'];
// Recursive function that plays song with index 'i'.
function playSong(i) {
var speaker = new Speaker(audioOptions);
// Read the first file
var inputStream = fs.createReadStream(songs[i]);
// Pipe the read data into the decoder and then out to the speakers
inputStream.pipe(decoder).pipe(speaker);
speaker.on('flush', function(){
// Play next song, if there is one.
if (i < songs.length - 1)
playSong(i + 1);
});
}
// Start with the first song.
playSong(0);
另一个解决方案(我更喜欢的解决方案)是使用非常好的async模块:
var async = require('async');
...
async.eachSeries(songs, function(song, done) {
var speaker = new Speaker(audioOptions);
var inputStream = fs.createReadStream(song);
inputStream.pipe(decoder).pipe(speaker);
speaker.on('flush', function() {
// signal async that it should process the next song in the array
done();
});
});