0

我正忙着做一个混响算法。在与我合作时,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
4

1 回答 1

1

在第一个版本中,您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
   }
}
于 2016-02-19T11:37:22.770 回答