0

对于我的游戏,我想使用 PhysFs 提取 zip 文件中的音乐文件

我创建了一个自定义类MusicStream,它继承自我sf::InputStream用作sf::Music's 流的类。

这是我的基本程序:

#include <SFML/Graphics.hpp>
#include <SFML/Audio.hpp>
#include "musicstream.h"
#include "physfs.h"

int main() {
  PHYSFS_init(0);
  PHYSFS_addToSearchPath("data.zip", 0);

  std::string musicFile = "music.ogg";
  if (PHYSFS_exists(musicFile.c_str()) == 0) {
    PHYSFS_deinit();
    return EXIT_FAILURE;
  }

  sf::RenderWindow window(sf::VideoMode(200, 200), "SFML works!");
  sf::Music myMusic;
  MusicStream myStream(musicFile.c_str());
  if (!myStream.getError()) {
    myMusic.openFromStream(myStream);
    myMusic.play();
  }
  while (window.isOpen()) { 
    sf::Event event; 
    while (window.pollEvent(event)) { 
      if (event.type == sf::Event::Closed) window.close(); 
    }
  }

  myMusic.stop();

  PHYSFS_deinit();
  return 0;
}

这完美无瑕,除了一件事:

当我关闭窗口并退出程序时,出现运行时错误R6025 pure virtual function call并且程序崩溃。

所以显然一个纯虚函数被称为(sf::InputStream的dtor??),但我实现了所有sf::InputStream的函数,这对我来说没有意义。

另外,我不确定代码是否相关,但如果是的话,这是自定义类:

音乐流.h

#ifndef MUSIC_STREAM_H_INCLUDED
#define MUSIC_STREAM_H_INCLUDED

#include <SFML/System.hpp>
#include "physfs.h"

class MusicStream : public sf::InputStream {
 public:
  MusicStream();
  MusicStream(const char *fileName);
  virtual ~MusicStream() override;

  sf::Int64 read(void *data, sf::Int64) override;
  sf::Int64 seek(sf::Int64 position) override;
  sf::Int64 tell() override;
  sf::Int64 getSize() override;

  bool getError() const;

 private:
  PHYSFS_File *file_;
  bool error_;

};

#endif

音乐流.cpp

#include "musicstream.h"

MusicStream::MusicStream() :
  error_(true)
{
}

MusicStream::MusicStream(const char *filename) :
  error_(false)
{
  file_ = PHYSFS_openRead(filename);
  if (file_ == nullptr) {
    error_ = true;
  }
}

MusicStream::~MusicStream() {
  if (error_) { return; }
  PHYSFS_close(file_);
}

sf::Int64 MusicStream::read(void *data, sf::Int64 size) {
  if (error_) { return 0; }
  sf::Int64 fileRead = PHYSFS_read(file_, data, 1, size);
  if (fileRead == -1) {
    return 0;
  }
  return fileRead;
}

sf::Int64 MusicStream::seek(sf::Int64 position) {
  if (error_)  { return -1; }
  if (PHYSFS_seek(file_, position) == 0) {
    return -1;
  }
  return position;
}

sf::Int64 MusicStream::tell() {
  if (error_) { return -1; }
  sf::Int64 position = PHYSFS_tell(file_);
  return position;
}

sf::Int64 MusicStream::getSize() {
  if (error_) { return -1; }
  sf::Int64 size = PHYSFS_fileLength(file_);
  return size;
}

bool MusicStream::getError() const {
  return error_;
}
4

1 回答 1

0

问题是这两行:

sf::Music myMusic;
MusicStream myStream(musicFile.c_str());

我交换了它们并摆脱了错误。这是因为音乐是在自己的线程中播放的。它在被销毁后尝试从流中读取。现在音乐在流之前被破坏了。

于 2015-12-15T10:29:44.030 回答