0

无论我尝试什么,我都无法使用 SDL_ttf 将我的文本加载到 SDL 2.0 中的纹理中。

这是我的 textToTexture 代码

void sdlapp::textToTexture(string text, SDL_Color textColor,SDL_Texture* textTexture)
{
    //free prevoius texture in textTexture if texture exists
    if (textTexture != nullptr || NULL)
    {
        SDL_DestroyTexture(textTexture);
    }
    SDL_Surface* textSurface = TTF_RenderText_Solid(m_font, text.c_str(), textColor);
    textTexture = SDL_CreateTextureFromSurface(m_renderer, textSurface);
    //free surface
    SDL_FreeSurface(textSurface);
}

然后这是我加载纹理和文本

bool sdlapp::loadMedia()
{
    bool success = true;
    //load media here

    //load font
    m_font = TTF_OpenFont("Fonts/MotorwerkOblique.ttf", 28);

    //load text
    SDL_Color textColor = { 0x255, 0x255, 0x235 };
    textToTexture("im a texture thing", textColor, m_font_texture);

    return success;
}

然后这是我用来渲染它的代码

void sdlapp::render()
{
    //clear the screen
    SDL_RenderClear(m_renderer);
    //do render stuff here
    SDL_Rect rect= { 32, 64, 128, 32 };
    SDL_RenderCopy(m_renderer, m_font_texture, NULL, NULL);
    //update the screen to the current render
    SDL_RenderPresent(m_renderer);
}

有谁知道我做错了什么?在此先感谢贾斯汀韦克。

4

1 回答 1

0

textToTexture使用 SDL_ttf 呈现文本,然后将生成的 SDL_Texture 地址分配给名为textTexture. 问题是,textTexture 是一个局部变量,指向与 m_font_texture 相同的地址。它们不是同一个变量,它们是指向同一个地方的不同变量,因此您不会更改任何被调用变量。

为了澄清指针,我建议查看C-FAQ 的问题 4.8

我会textToTexture返回新的纹理地址,并且不要费心释放不受它管理的资源(m_font_texture属于sdlapp,它应该由它管理)。

于 2015-01-02T15:54:21.840 回答