'sizeof'无效应用于不完整类型'SDL_Window'

时间:2013-08-19 13:43:07

标签: c++ struct sdl shared-ptr

创建指向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()'。是什么原因以及如何解决此问题?

2 个答案:

答案 0 :(得分:8)

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

window.reset(window_, SDL_DestroyWindow);

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

答案 1 :(得分:7)

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

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

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

std::unique_ptr<SDL_Window, SDLWindowDeleter> sdlWindowPtr = SDL_CreateWindow(...);