forked from BoboTiG/python-mss
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathwindows.py
More file actions
293 lines (241 loc) · 9.2 KB
/
windows.py
File metadata and controls
293 lines (241 loc) · 9.2 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
"""
This is part of the MSS Python's module.
Source: https://github.com/BoboTiG/python-mss
"""
import sys
import ctypes
from ctypes.wintypes import (
BOOL,
DOUBLE,
DWORD,
HBITMAP,
HDC,
HGDIOBJ,
HWND,
INT,
LONG,
LPARAM,
RECT,
UINT,
WORD,
)
from typing import TYPE_CHECKING
from .base import MSSMixin
from .exception import ScreenShotError
if TYPE_CHECKING:
from typing import Any # noqa
from .models import Monitor, Monitors # noqa
from .screenshot import ScreenShot # noqa
__all__ = ("MSS",)
CAPTUREBLT = 0x40000000
DIB_RGB_COLORS = 0
SRCCOPY = 0x00CC0020
class BITMAPINFOHEADER(ctypes.Structure):
""" Information about the dimensions and color format of a DIB. """
_fields_ = [
("biSize", DWORD),
("biWidth", LONG),
("biHeight", LONG),
("biPlanes", WORD),
("biBitCount", WORD),
("biCompression", DWORD),
("biSizeImage", DWORD),
("biXPelsPerMeter", LONG),
("biYPelsPerMeter", LONG),
("biClrUsed", DWORD),
("biClrImportant", DWORD),
]
class BITMAPINFO(ctypes.Structure):
"""
Structure that defines the dimensions and color information for a DIB.
"""
_fields_ = [("bmiHeader", BITMAPINFOHEADER), ("bmiColors", DWORD * 3)]
class MSS(MSSMixin):
""" Multiple ScreenShots implementation for Microsoft Windows. """
__slots__ = {"_bbox", "_bmi", "_data", "gdi32", "monitorenumproc", "user32"}
# Class attributes instancied one time to prevent resource leaks.
bmp = None
memdc = None
srcdc = None
def __init__(self, **_):
# type: (Any) -> None
""" Windows initialisations. """
super().__init__()
self.monitorenumproc = ctypes.WINFUNCTYPE(
INT, DWORD, DWORD, ctypes.POINTER(RECT), DOUBLE
)
self.user32 = ctypes.WinDLL("user32")
self.gdi32 = ctypes.WinDLL("gdi32")
self._set_cfunctions()
self._set_dpi_awareness()
self._bbox = {"height": 0, "width": 0}
self._data = ctypes.create_string_buffer(0) # type: ctypes.Array[ctypes.c_char]
if not MSS.srcdc or not MSS.memdc:
MSS.srcdc = self.user32.GetWindowDC(0)
MSS.memdc = self.gdi32.CreateCompatibleDC(MSS.srcdc)
bmi = BITMAPINFO()
bmi.bmiHeader.biSize = ctypes.sizeof(BITMAPINFOHEADER)
bmi.bmiHeader.biPlanes = 1 # Always 1
bmi.bmiHeader.biBitCount = 32 # See grab.__doc__ [2]
bmi.bmiHeader.biCompression = 0 # 0 = BI_RGB (no compression)
bmi.bmiHeader.biClrUsed = 0 # See grab.__doc__ [3]
bmi.bmiHeader.biClrImportant = 0 # See grab.__doc__ [3]
self._bmi = bmi
def _set_cfunctions(self):
""" Set all ctypes functions and attach them to attributes. """
void = ctypes.c_void_p
pointer = ctypes.POINTER
self._cfactory(
attr=self.user32, func="GetSystemMetrics", argtypes=[INT], restype=INT
)
self._cfactory(
attr=self.user32,
func="EnumDisplayMonitors",
argtypes=[HDC, void, self.monitorenumproc, LPARAM],
restype=BOOL,
)
self._cfactory(
attr=self.user32, func="GetWindowDC", argtypes=[HWND], restype=HDC
)
self._cfactory(
attr=self.gdi32, func="GetDeviceCaps", argtypes=[HWND, INT], restype=INT
)
self._cfactory(
attr=self.gdi32, func="CreateCompatibleDC", argtypes=[HDC], restype=HDC
)
self._cfactory(
attr=self.gdi32,
func="CreateCompatibleBitmap",
argtypes=[HDC, INT, INT],
restype=HBITMAP,
)
self._cfactory(
attr=self.gdi32,
func="SelectObject",
argtypes=[HDC, HGDIOBJ],
restype=HGDIOBJ,
)
self._cfactory(
attr=self.gdi32,
func="BitBlt",
argtypes=[HDC, INT, INT, INT, INT, HDC, INT, INT, DWORD],
restype=BOOL,
)
self._cfactory(
attr=self.gdi32, func="DeleteObject", argtypes=[HGDIOBJ], restype=INT
)
self._cfactory(
attr=self.gdi32,
func="GetDIBits",
argtypes=[HDC, HBITMAP, UINT, UINT, void, pointer(BITMAPINFO), UINT],
restype=BOOL,
)
def _set_dpi_awareness(self):
""" Set DPI aware to capture full screen on Hi-DPI monitors. """
version = sys.getwindowsversion()[:2] # pylint: disable=no-member
if version >= (6, 3):
# Windows 8.1+
# Here 2 = PROCESS_PER_MONITOR_DPI_AWARE, which means:
# per monitor DPI aware. This app checks for the DPI when it is
# created and adjusts the scale factor whenever the DPI changes.
# These applications are not automatically scaled by the system.
ctypes.windll.shcore.SetProcessDpiAwareness(2)
elif (6, 0) <= version < (6, 3):
# Windows Vista, 7, 8 and Server 2012
self.user32.SetProcessDPIAware()
@property
def monitors(self):
# type: () -> Monitors
""" Get positions of monitors (see parent class). """
if not self._monitors:
int_ = int
user32 = self.user32
get_system_metrics = user32.GetSystemMetrics
# All monitors
self._monitors.append(
{
"left": int_(get_system_metrics(76)), # SM_XVIRTUALSCREEN
"top": int_(get_system_metrics(77)), # SM_YVIRTUALSCREEN
"width": int_(get_system_metrics(78)), # SM_CXVIRTUALSCREEN
"height": int_(get_system_metrics(79)), # SM_CYVIRTUALSCREEN
}
)
# Each monitors
def _callback(monitor, data, rect, dc_):
# types: (int, HDC, LPRECT, LPARAM) -> int
"""
Callback for monitorenumproc() function, it will return
a RECT with appropriate values.
"""
# pylint: disable=unused-argument
rct = rect.contents
self._monitors.append(
{
"left": int_(rct.left),
"top": int_(rct.top),
"width": int_(rct.right - rct.left),
"height": int_(rct.bottom - rct.top),
}
)
return 1
callback = self.monitorenumproc(_callback)
user32.EnumDisplayMonitors(0, 0, callback, 0)
return self._monitors
def grab(self, monitor):
# type: (Monitor) -> ScreenShot
""" Retrieve all pixels from a monitor. Pixels have to be RGB.
In the code, there are few interesting things:
[1] bmi.bmiHeader.biHeight = -height
A bottom-up DIB is specified by setting the height to a
positive number, while a top-down DIB is specified by
setting the height to a negative number.
https://msdn.microsoft.com/en-us/library/ms787796.aspx
https://msdn.microsoft.com/en-us/library/dd144879%28v=vs.85%29.aspx
[2] bmi.bmiHeader.biBitCount = 32
image_data = create_string_buffer(height * width * 4)
We grab the image in RGBX mode, so that each word is 32bit
and we have no striding, then we transform to RGB.
Inspired by https://github.com/zoofIO/flexx
[3] bmi.bmiHeader.biClrUsed = 0
bmi.bmiHeader.biClrImportant = 0
When biClrUsed and biClrImportant are set to zero, there
is "no" color table, so we can read the pixels of the bitmap
retrieved by gdi32.GetDIBits() as a sequence of RGB values.
Thanks to http://stackoverflow.com/a/3688682
"""
# Convert PIL bbox style
if isinstance(monitor, tuple):
monitor = {
"left": monitor[0],
"top": monitor[1],
"width": monitor[2] - monitor[0],
"height": monitor[3] - monitor[1],
}
srcdc, memdc = MSS.srcdc, MSS.memdc
width, height = monitor["width"], monitor["height"]
if (self._bbox["height"], self._bbox["width"]) != (height, width):
self._bbox = monitor
self._bmi.bmiHeader.biWidth = width
self._bmi.bmiHeader.biHeight = -height # Why minus? [1]
self._data = ctypes.create_string_buffer(width * height * 4) # [2]
if MSS.bmp:
self.gdi32.DeleteObject(MSS.bmp)
MSS.bmp = self.gdi32.CreateCompatibleBitmap(srcdc, width, height)
self.gdi32.SelectObject(memdc, MSS.bmp)
self.gdi32.BitBlt(
memdc,
0,
0,
width,
height,
srcdc,
monitor["left"],
monitor["top"],
SRCCOPY | CAPTUREBLT,
)
bits = self.gdi32.GetDIBits(
memdc, MSS.bmp, 0, height, self._data, self._bmi, DIB_RGB_COLORS
)
if bits != height:
raise ScreenShotError("gdi32.GetDIBits() failed.")
return self.cls_image(bytearray(self._data), monitor)