I'm trying to work out how to use std::shared_ptr with a custom deleter. Specifically, I'm using it with SDL_Surface as:
std::shared_ptr<SDL_Surface>(SDL_LoadBMP(....),SDL_FreeSurface);
which compiles and runs fine. However, I would like to try out my own deleter and cannot work out how to do so. The documentation for SDL_FreeSurface is found here:
http://sdl.beuc.net/sdl.wiki/SDL_FreeSurface
in which I find the SDL_FreeSurface is declared as:
void SDL_FreeSurface(SDL_Surface* surface);
As a test, and going by that information, I tried the following function:
void DeleteSurface(SDL_Surface* surface)
{
std::cout << "Deleting surface
";
SDL_FreeSurface(surface);
}
However, compiling with g++ gives me the following error:
error: no matching function for call to 'std::shared_ptr<SDL_Surface>::shared_ptr(SDL_Surface*, <unresolved overloaded function type>)'
I have looked at the gnu documentation for the gcc std::shared_ptr implementation but cannot make much sense of it. What am I doing wrong?
EDIT: I've since narrowed down the problem, but will leave the original question above. What I had was a Game class which, if I strip it down to a basic implementation, was something like:
class Game {
public:
/* various functions */
private:
void DeleteSurface(SDL_Surface* surface);
bool CacheImages();
std::vector<std::shared_ptr<SDL_Surface> > mCachedImages;
/* various member variables and other functions */
}
with the implementation of DeleteSurface
as above, and the implementation of CacheImages()
as:
bool CacheImages()
{
mCachedImages.push_back(std::shared_ptr<SDL_Surface>(SDL_LoadBMP(...),DeleteSurface);
return true;
}
which game me the error I listed above. However, if I move the DeleteSurface()
function outside the Game
class without otherwise altering it, the code compiles. What is it about including the DeleteSurface
function in the Game
class that is causing problems?