我正在忙着制作混响算法。在使用QSound
时,我发现了一些问题。
首先,像这样尝试QSound::play()
时声音不会播放:
/// Play output .wav file.
QSound sound("C:/Users/mvdelft/Documents/Reverb_configurator/output.wav", this);
sound.play();
仅当我使用
QSound::play
(QString
文件)给出路径再次播放时,它才会播放声音:/// Play output .wav file.
QSound sound("C:/Users/mvdelft/Documents/Reverb_configurator/output.wav", this);
sound.play("C:/Users/mvdelft/Documents/Reverb_configurator/output.wav");
我必须解决的一个相关问题是
bool QSound::isFinshed()
函数,该函数对我不起作用。码: /// Play output .wav file.
QSound sound("C:/Users/mvdelft/Documents/Reverb_configurator/output.wav", this);
sound.play("C:/Users/mvdelft/Documents/Reverb_configurator/output.wav");
sound.setLoops(10);
/// Check is sound is finished
while (!sound.isFinished()){}
ui->listWidget->addItem("Finished playing sound");
}/// End of scope
最佳答案
在第一个版本中,您使用文件在堆栈上创建一个QSound
对象,开始播放它,然后立即销毁它。这样将停止播放声音,因此您听不到任何声音。
在第二个版本中,QSound::play(const QString &)
是静态方法。它将在后台播放声音。因此,您会听到一些声音。
使用静态方法,对setLoops
和isFinished
的调用将不起作用。另外,忙循环(while (!sound.isFinished()) ;
)非常糟糕,因为它将消耗100%的CPU,并可能阻止播放声音。
为了使声音起作用,您应该在堆上创建声音,并在计时器事件上定期检查isFinished()
。但是,我建议QSoundEffect
,因为它可以给您更多的控制权。最重要的是,playingChanged()
信号将在播放结束时通知您,而无需不断检查。
大纲:
void MyObject::playSomeSound() {
QSoundEffect *s = new QSoundEffect(this);
connect(s, SIGNAL(playingChanged()), this, SLOT(soundPlayingChanged()));
s->setSource("C:/Users/mvdelft/Documents/Reverb_configurator/output.wav");
s->setLoopCount(10);
s->play();
}
void MyObject::soundPlayingChanged() {
QSoundEffect *s = qobject_cast<QSoundEffect *> (sender());
// Will also be called when playing was started, so check if really finished
if (!s->isPlaying()) {
s->deleteLater();
// Do what you need to do when playing finished
}
}