我们在做项目的时候,往往会有想要获取屏幕的分辨率的需求。现在我们就来总结一下如何获取屏幕分辨率,不管是单屏还是多屏。
1、RECT deskRect;
GetWindowRect(GetDesktopWindow(),&deskRect);
该函数只能获取主屏的分辨率,也就是说如果有多个显示器的话,这个函数只能获取主屏分辨率。
而且该函数获得的结果会受屏幕缩放影响,比如原分变率为1920*1080,且在显示设置里设置了125%的缩放的话,得到的结果为1536*864。如果缩放为100%的话,结果为1920*1080.
2、 HDC hdc = GetDC(NULL);
int hdcWidth, hdcHeight;
hdcWidth = GetDeviceCaps(hdc, DESKTOPHORZRES);
hdcHeight = GetDeviceCaps(hdc, DESKTOPVERTRES);
ReleaseDC(NULL, hdc);
该方法也是只能获取主屏分辨率,与第一种方法一样,所不同的是它是无视缩放的。即不管你缩放是100%还是125%还是多少,得到的结果都是1920*1080
3、 int allX = GetSystemMetrics(SM_CXSCREEN);
int allY = GetSystemMetrics(SM_CYSCREEN);
该方法也是只能获取主屏分辨率,与第一种方法得到的结果一模一样,受缩放影响。
4、
struct ALLMONITORINFO
{
HMONITOR hMonitor;
RECT rect;
bool isPrimary;
};
BOOL CALLBACK MonitorEnumProc(__in HMONITOR hMonitor, __in HDC hdcMonitor, __in LPRECT lprcMonitor, __in LPARAM dwData)
{
vector<ALLMONITORINFO>& infoArray = *reinterpret_cast<vector<ALLMONITORINFO>* >(dwData);
ALLMONITORINFO monitorInfo;
monitorInfo.hMonitor = hMonitor;
//下面这句代码已经获取到了屏幕的分辨率,不管你有多少个屏幕都可以获取到,但是该分辨率是受缩放影响的。
monitorInfo.rect = *lprcMonitor;
infoArray.push_back(monitorInfo);
//这里是另一种获取屏幕分辨率的办法。
MONITORINFO monInfo;
monInfo.cbSize = sizeof(MONITORINFO);
//这个方法也是会受缩放影响,shit.
BOOL isGet = GetMonitorInfo(hMonitor, &monInfo);
if (isGet == TRUE) {
printf("rect wdith:%d,rect height:%d.\n", monInfo.rcMonitor.right - monInfo.rcMonitor.left, monInfo.rcMonitor.bottom - monInfo.rcMonitor.top);;
}
return TRUE;
}
int main() {
vector<ALLMONITORINFO> mInfo;
mInfo.clear();
//get number of monitors
mInfo.reserve(GetSystemMetrics(SM_CMONITORS));
EnumDisplayMonitors(NULL, NULL, MonitorEnumProc, reinterpret_cast<LPARAM>(&mInfo));
//通过枚举之后,显示器的信息就存储到了mInfo里了。
return 1;
}
第四种方法里面包括两种方法,只是GetMonitorInfo函数需要相应的显示器句柄,所以我就放在了一起。
这些方法试下来,只有第四种方法能获取到主屏外的其他屏幕分辨率,但是都是受缩放影响的。所以现在还遗留一个问题,如何获取到其他屏幕不受缩放影响的分辨率?
另一获取获取windows操作系统分辨率(DPI) 方式:
#include "stdafx.h"
#include <iostream>
#include <windows.h>
#include <math.h>
using namespace std;
// 1毫米=0.039370078740157英寸
#define INCH 0.03937
float GetDPI()
{
HDC hdcScreen;
hdcScreen = CreateDC(L"DISPLAY", NULL, NULL, NULL);
int iX = GetDeviceCaps(hdcScreen, HORZRES); // pixel
int iY = GetDeviceCaps(hdcScreen, VERTRES); // pixel
int iPhsX = GetDeviceCaps(hdcScreen, HORZSIZE); // mm
int iPhsY = GetDeviceCaps(hdcScreen, VERTSIZE); // mm
if (NULL != hdcScreen)
{
DeleteDC(hdcScreen);
}
float iTemp = iPhsX * iPhsX + iPhsY * iPhsY;
float fInch = sqrt(iTemp) * INCH ;
iTemp = iX * iX + iY * iY;
float fPixel = sqrt(iTemp);
float iDPI = fPixel / fInch; // dpi pixel/inch
cout<<"DPI:"<<iDPI<<endl;
return iDPI;
}
int _tmain(int argc, _TCHAR* argv[])
{
GetDPI();
system("pause");
return 0;
}