如何从 C++(winapi) 中的资源加载 GDI::Image (GIF)?

How to load GDI::Image (GIF) from Resource in c++(winapi)?

我正在用 winapi(非 MFC)制作 window c++ 并显示 gif。为此,我使用 GDI++。我正在从路径将 gif 加载到 GDI::Image,但我想从资源中加载它。我该怎么做?

    hMWDC = GetDC(hWnd);
    pGphcs = new Graphics(hMWDC);
    WCHAR path[MAX_PATH];
    GetModuleFileNameW(NULL, path, MAX_PATH);
    PathRemoveFileSpecW(path);
    PathAppendW(path, L"gifs\test.gif");
    pImg = new Image(path);

    if (pImg) {
        nFrmCnt = pImg->GetFrameCount(&FrameDimensionTime);
        SetTimer(hWnd, DRAW_ANIM, 100, NULL);

    }
case WM_TIMER:
        if (wParam == DRAW_ANIM)
        {
            pImg->SelectActiveFrame(&FrameDimensionTime, nFrm);
            Rect DRC(0, 0, pImg->GetWidth(), pImg->GetHeight());
            pGphcs->Clear(Color(128, 128, 128));


            pGphcs->DrawImage(pImg, DRC);
            if (nFrm < (nFrmCnt - 1)) nFrm++; else nFrm = 0;
        }

        break;

有一个接受 IStream* 的图像 constructor

您可以通过调用 SHCreateMemStream on the raw buffer of a resource, which can be obtained by calling FindResource/LoadResource/LockResource and SizeOfResource 创建流。

在编译时将 GIF 文件添加到应用的资源中。例如,通过将一个类似于下面的 .rc 文件编译成一个 .res 文件,然后你可以 link 到你的可执行文件中(有些 compilers/IDEs 有工具来自动执行这个步骤):

Resources.rh

#define MY_GIF_ID 100

Resources.rc

#include "Resources.rh"
MY_GIF_ID RCDATA "gifs\test.gif"

然后,您可以在运行时获取指向资源原始字节的指针。

#include "Resources.rh"

HMODULE hMod = GetModuleHandle(NULL);

HRSRC hRes = FindResource(hMod, MAKEINTRESOURCE(MY_GIF_ID), RT_RCDATA);
if (!hRes) { ... error handling ... } 

HGLOBAL hGlobal = LoadResource(hMod, hRes);
if (!hGlobal) { ... error handling ... } 

void *pResData = LockResource(hGlobal);
if (!pResData) { ... error handling ... } 

DWORD dwResData = SizeofResource(hMod, hRes);

有关详细信息,请参阅 MSDN:

Introduction to Resources

Finding and Loading Resources

最后,将资源字节传递给接受 IStream* 作为输入的 Image 构造函数:

#include <shlwapi.h>

IStream *pStream = SHCreateMemStream((BYTE*)pResData, dwResData);
if (!pStream) { ... error handling ... } 

pImg = new Image(pStream);
pStream->Release();