1

我正在尝试对 MFC 应用程序中的主对话框进行屏幕截图并将其保存为图像文件。我尝试了我可以在网上找到的每个示例,并且总是得到相同的结果:图像文件具有正确的尺寸(我尝试使用除主要对话框之外的对话框来确定),但它都是黑色的。我最近的解决方案是使用 CBitmap 类将主对话框句柄传输到 CImage。这是我的代码:

CWnd* mainWindow;
CDC* mainWindowDC;
CBitmap bitmapToSave;
CImage imageToSave;
CRect windowRect;

//Get main window context and create bitmap from it
mainWindow = AfxGetMainWnd();
mainWindowDC = mainWindow->GetWindowDC();
mainWindow->GetWindowRect(&windowRect);
bitmapToSave.CreateCompatibleBitmap(mainWindowDC, windowRect.Width(), windowRect.Height());
imageToSave.Attach(bitmapToSave);
imageToSave.Save("C:\\Capture\\image.bmp", Gdiplus::ImageFormatBMP);
4

2 回答 2

1

这是执行此操作的方法:

HRESULT CaptureScreen(const CString& sImageFilePath)
{
   CWnd* pMainWnd = AfxGetMainWnd();
   CRect rc;
   pMainWnd->GetWindowRect(rc);
   CImage img;
   img.Create(rc.Width(), rc.Height(), 24);
   CDC memdc;
   CDC* pDC = pMainWnd->GetWindowDC();
   memdc.CreateCompatibleDC(pDC);
   CBitmap* pOldBitmap = memdc.SelectObject(CBitmap::FromHandle((HBITMAP)img));
   memdc.BitBlt(0, 0, rc.Width(), rc.Height(), pDC, 0, 0, SRCCOPY);
   memdc.SelectObject(pOldBitmap);
   return img.Save(sImageFilePath, Gdiplus::ImageFormatPNG);
}

还请看看这个不错的实现: http: //www.codeguru.com/cpp/article.php/c18347/C-Programming-Easy-Screen-Capture-Using-MFCATL.htm

于 2015-04-14T19:13:24.563 回答
1

您创建了位图,但没有在其中添加任何内容。您需要从一个 DC 传送到另一个 DC 以复制屏幕上的内容。

// ...
CMemDC dcMem;
dcMem.CreateCompatibleDC(&mainWindowDC);
CBitmap * pOld = dcMem.SelectObject(&bitmapToSave);
dcMem.BitBlt(0, 0, windowRect.Width(), windowRect.Height(), &mainWindowDC, windowRect.left, windowRect.top, SRCCOPY);
dcMem.SelectObject(pOld);
// ...
于 2015-04-14T19:59:17.443 回答