How do you scale a CBitmap object?
- Select your CBitmap obj into a memDC A (using CDC::SelectObject())
- Create a new CBitmap with desired sized and select it into another MemDC B
- Use CDC::stretchblt(...) to stretch bmp in MemDC A into MemDC B
- Deselect your CBitmap objects (by selecting what was returned from the previous calls to SelectObject)
- Use your new CBitmap
Here's a worked out implementation of @Smashery's answer.
I use this to scale based on DPI, but it should be easy to adapt to arbitrary scales.
std::shared_ptr<CBitmap> AppHiDpiScaleBitmap (CBitmap &bmp)
{
BITMAP bm = { 0 };
bmp.GetBitmap (&bm);
auto size = CSize (bm.bmWidth, bm.bmHeight);
CWindowDC screenCDC (NULL);
auto dpiX = screenCDC.GetDeviceCaps (LOGPIXELSX);
auto dpiY = screenCDC.GetDeviceCaps (LOGPIXELSY);
auto hiSize = CSize ((dpiX * size.cx) / 96, (dpiY * size.cy) / 96);
std::shared_ptr<CBitmap> res (new CBitmap ());
res->CreateCompatibleBitmap (&screenCDC, hiSize.cx, hiSize.cy);
CDC srcCompatCDC;
srcCompatCDC.CreateCompatibleDC (&screenCDC);
CDC destCompatCDC;
destCompatCDC.CreateCompatibleDC (&screenCDC);
CMemDC srcDC (srcCompatCDC, CRect (CPoint (), size));
auto oldSrcBmp = srcDC.GetDC ().SelectObject (&bmp);
CMemDC destDC (destCompatCDC, CRect(CPoint(), hiSize));
auto oldDestBmp = destDC.GetDC ().SelectObject (res.get());
destDC.GetDC ().StretchBlt (0, 0, hiSize.cx, hiSize.cy, &srcDC.GetDC(), 0, 0, size.cx, size.cy, SRCCOPY);
srcDC.GetDC ().SelectObject (oldSrcBmp);
destDC.GetDC ().SelectObject (oldDestBmp);
return res;
}