Are there any obvious mistakes I'm making here?
Noteworthy: m_Sounds and m_SoundBuffer are static private member variables. m_Sounds is a vector and m_SoundBuffer is a map.
void ResourceManager::Update()
{
for (unsigned int i = 0; i < m_Sounds.size(); ++i)
{
std::cout << "Sound " << i << " = " << m_Sounds[i].getPlayingOffset().asSeconds() << "\n";
if (m_Sounds[i].getStatus() == sf::Sound::Stopped)
{
std::cout << i+1 << " / " << m_Sounds.size() << " was Killed\n";
m_Sounds.erase(m_Sounds.begin() + i);
continue;
}
}
}
sf::SoundBuffer& ResourceManager::soundBuffer(std::string fileName)
{
std::map<std::string, sf::SoundBuffer>::iterator it = m_SoundBuffers.find(fileName);
if (it == m_SoundBuffers.end()) //not found
{
sf::SoundBuffer sb;
assert(sb.loadFromFile("audio/" + fileName + ".wav"));
std::cout << "SoundBuffer Loaded: " << "audio/" << fileName << ".wav\n";
m_SoundBuffers.insert(std::make_pair(fileName, sb));
return m_SoundBuffers.find(fileName)->second;
}
return it->second;
}
void ResourceManager::sound(std::string fileName)
{
sf::Sound s(this->soundBuffer(fileName));
m_Sounds.push_back(s);
m_Sounds.back().play();
}
case sf::Event::MouseButtonPressed:
{
ResMan.sound("fireworks");
break;
}
(http://i.imgur.com/nPlQ0LB.png)
only when I close the RenderWindow do I get the segmentation fault
(http://i.imgur.com/oopoB52.png)
Are there any obvious mistakes I'm making here?
The irony of your post is, that I can directly quote you as answer:
Noteworthy: m_Sounds and m_SoundBuffer are static private member variables. m_Sounds is a vector and m_SoundBuffer is a map.
Static members are essentially global variables, global variables have an undefined order of destruction and since SFML has global variables as well, it can happen that SFML's audio stuff gets deleted before the sound objects that still reference to the SFML parts, thus leading to a crash.
tl;dr: Don't use global variables! ;)
Thanks, I'll have to think of something else for that just in case another bug creeps up however making it non-static(for both sound and buffers) has not fixed the issue.
Edit: I quickly thought of something and changed the sound() function to this:
void ResourceManager::sound(std::string fileName)
{
//sf::Sound s(this->soundBuffer(fileName));
sf::Sound* s = new sf::Sound();
s->setBuffer(this->soundBuffer(fileName));
m_Sounds.push_back(s);
m_Sounds.back()->play();
}
and it now works properly, so I then changed it to this to avoid memory management (if it comes to it I'll use smart pointers, just used manual to test quickly)
void ResourceManager::sound(std::string fileName)
{
sf::Sound s;
m_Sounds.push_back(s);
m_Sounds.back().setBuffer(this->soundBuffer(fileName));
m_Sounds.back().play();
}
but that has the same issues as the original version. Something is going on somewhere and I'm not sure what.