7

创建指向 SDL_Window 结构的指针并将其分配给 shared_ptr,导致上述错误。

部分课程:

#include <SDL2/SDL.h>

class Application {
    static std::shared_ptr<SDL_Window> window;
}

定义:

#include "Application.h"
std::shared_ptr<SDL_Window> Application::window{};

bool Application::init() {  
    SDL_Window *window_ = nullptr;
    if((window_ = SDL_CreateWindow(title.c_str(),
                                  SDL_WINDOWPOS_UNDEFINED,
                                  SDL_WINDOWPOS_UNDEFINED,
                                  window_width,
                                  window_height,
                                  NULL)
        ) == nullptr) {
        std::cerr << "creating window failed: " << SDL_GetError() << std::endl;
    }

    window.reset(window_);
}

错误出现在“window.reset()”中。是什么原因以及如何解决此行为?

4

2 回答 2

10

默认情况下,shared_ptr将使用delete. 但是,如果您正在使用需要以另一种方式释放的资源,则需要一个自定义删除器:

window.reset(window_, SDL_DestroyWindow);

注意:我很确定这会起作用,但我没有安装 SDL 来测试它。

于 2013-08-19T13:47:14.650 回答
8

正如Mike之前所说,您必须使用shared_ptr. 但是,对于 a unique_ptr,您可能希望为您的删除器创建一个特殊类型,以便它可以干净地用作模板参数。我使用了这个结构:

struct SDLWindowDeleter {
    inline void operator()(SDL_Window* window) {
        SDL_DestroyWindow(window);
    }
};

然后通过模板参数包含删除器:

std::unique_ptr<SDL_Window, SDLWindowDeleter> sdlWindowPtr = SDL_CreateWindow(...);
于 2014-06-21T20:34:33.513 回答