blob: 8d01b376f2597c37e918ed0c76895b73de7b4274 [file] [log] [blame]
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001/*
2 * Support routines from the Windows API
3 *
4 * This module was originally created by merging PC/_subprocess.c with
5 * Modules/_multiprocessing/win32_functions.c.
6 *
7 * Copyright (c) 2004 by Fredrik Lundh <fredrik@pythonware.com>
8 * Copyright (c) 2004 by Secret Labs AB, http://www.pythonware.com
9 * Copyright (c) 2004 by Peter Astrand <astrand@lysator.liu.se>
10 *
11 * By obtaining, using, and/or copying this software and/or its
12 * associated documentation, you agree that you have read, understood,
13 * and will comply with the following terms and conditions:
14 *
15 * Permission to use, copy, modify, and distribute this software and
16 * its associated documentation for any purpose and without fee is
17 * hereby granted, provided that the above copyright notice appears in
18 * all copies, and that both that copyright notice and this permission
19 * notice appear in supporting documentation, and that the name of the
20 * authors not be used in advertising or publicity pertaining to
21 * distribution of the software without specific, written prior
22 * permission.
23 *
24 * THE AUTHORS DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE,
25 * INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS.
26 * IN NO EVENT SHALL THE AUTHORS BE LIABLE FOR ANY SPECIAL, INDIRECT OR
27 * CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS
28 * OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT,
29 * NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION
30 * WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
31 *
32 */
33
34/* Licensed to PSF under a Contributor Agreement. */
35/* See http://www.python.org/2.4/license for licensing details. */
36
37#include "Python.h"
38#include "structmember.h"
39
40#define WINDOWS_LEAN_AND_MEAN
41#include "windows.h"
42#include <crtdbg.h>
Tim Golden0321cf22014-05-05 19:46:17 +010043#include "winreparse.h"
Antoine Pitrou23bba4c2012-04-18 20:51:15 +020044
45#if defined(MS_WIN32) && !defined(MS_WIN64)
46#define HANDLE_TO_PYNUM(handle) \
47 PyLong_FromUnsignedLong((unsigned long) handle)
48#define PYNUM_TO_HANDLE(obj) ((HANDLE)PyLong_AsUnsignedLong(obj))
49#define F_POINTER "k"
50#define T_POINTER T_ULONG
51#else
52#define HANDLE_TO_PYNUM(handle) \
53 PyLong_FromUnsignedLongLong((unsigned long long) handle)
54#define PYNUM_TO_HANDLE(obj) ((HANDLE)PyLong_AsUnsignedLongLong(obj))
55#define F_POINTER "K"
56#define T_POINTER T_ULONGLONG
57#endif
58
59#define F_HANDLE F_POINTER
60#define F_DWORD "k"
Antoine Pitrou23bba4c2012-04-18 20:51:15 +020061
62#define T_HANDLE T_POINTER
63
Victor Stinner71765772013-06-24 23:13:24 +020064#define DWORD_MAX 4294967295U
65
Antoine Pitrou23bba4c2012-04-18 20:51:15 +020066/* Grab CancelIoEx dynamically from kernel32 */
67static int has_CancelIoEx = -1;
68static BOOL (CALLBACK *Py_CancelIoEx)(HANDLE, LPOVERLAPPED);
69
70static int
71check_CancelIoEx()
72{
73 if (has_CancelIoEx == -1)
74 {
75 HINSTANCE hKernel32 = GetModuleHandle("KERNEL32");
76 * (FARPROC *) &Py_CancelIoEx = GetProcAddress(hKernel32,
77 "CancelIoEx");
78 has_CancelIoEx = (Py_CancelIoEx != NULL);
79 }
80 return has_CancelIoEx;
81}
82
83
84/*
85 * A Python object wrapping an OVERLAPPED structure and other useful data
86 * for overlapped I/O
87 */
88
89typedef struct {
90 PyObject_HEAD
91 OVERLAPPED overlapped;
92 /* For convenience, we store the file handle too */
93 HANDLE handle;
94 /* Whether there's I/O in flight */
95 int pending;
96 /* Whether I/O completed successfully */
97 int completed;
98 /* Buffer used for reading (optional) */
99 PyObject *read_buffer;
100 /* Buffer used for writing (optional) */
101 Py_buffer write_buffer;
102} OverlappedObject;
103
104static void
105overlapped_dealloc(OverlappedObject *self)
106{
107 DWORD bytes;
108 int err = GetLastError();
Richard Oudkerk633db6f2013-11-17 13:15:51 +0000109
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200110 if (self->pending) {
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200111 if (check_CancelIoEx() &&
Richard Oudkerk633db6f2013-11-17 13:15:51 +0000112 Py_CancelIoEx(self->handle, &self->overlapped) &&
113 GetOverlappedResult(self->handle, &self->overlapped, &bytes, TRUE))
114 {
115 /* The operation is no longer pending -- nothing to do. */
116 }
117 else if (_Py_Finalizing == NULL)
118 {
119 /* The operation is still pending -- give a warning. This
120 will probably only happen on Windows XP. */
121 PyErr_SetString(PyExc_RuntimeError,
122 "I/O operations still in flight while destroying "
123 "Overlapped object, the process may crash");
124 PyErr_WriteUnraisable(NULL);
125 }
126 else
127 {
128 /* The operation is still pending, but the process is
129 probably about to exit, so we need not worry too much
130 about memory leaks. Leaking self prevents a potential
131 crash. This can happen when a daemon thread is cleaned
132 up at exit -- see #19565. We only expect to get here
133 on Windows XP. */
134 CloseHandle(self->overlapped.hEvent);
135 SetLastError(err);
136 return;
137 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200138 }
Richard Oudkerk633db6f2013-11-17 13:15:51 +0000139
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200140 CloseHandle(self->overlapped.hEvent);
141 SetLastError(err);
142 if (self->write_buffer.obj)
143 PyBuffer_Release(&self->write_buffer);
144 Py_CLEAR(self->read_buffer);
145 PyObject_Del(self);
146}
147
Zachary Waref2244ea2015-05-13 01:22:54 -0500148/*[clinic input]
149module _winapi
150class _winapi.Overlapped "OverlappedObject *" "&OverlappedType"
151[clinic start generated code]*/
152/*[clinic end generated code: output=da39a3ee5e6b4b0d input=c13d3f5fd1dabb84]*/
153
154/*[python input]
155def create_converter(type_, format_unit):
156 name = type_ + '_converter'
157 # registered upon creation by CConverter's metaclass
158 type(name, (CConverter,), {'type': type_, 'format_unit': format_unit})
159
160# format unit differs between platforms for these
161create_converter('HANDLE', '" F_HANDLE "')
162create_converter('HMODULE', '" F_HANDLE "')
163create_converter('LPSECURITY_ATTRIBUTES', '" F_POINTER "')
164
165create_converter('BOOL', 'i') # F_BOOL used previously (always 'i')
166create_converter('DWORD', 'k') # F_DWORD is always "k" (which is much shorter)
167create_converter('LPCTSTR', 's')
168create_converter('LPWSTR', 'u')
169create_converter('UINT', 'I') # F_UINT used previously (always 'I')
170
171class HANDLE_return_converter(CReturnConverter):
172 type = 'HANDLE'
173
174 def render(self, function, data):
175 self.declare(data)
176 self.err_occurred_if("_return_value == INVALID_HANDLE_VALUE", data)
177 data.return_conversion.append(
Serhiy Storchaka5dee6552016-06-09 16:16:06 +0300178 'if (_return_value == NULL) {\n Py_RETURN_NONE;\n}\n')
Zachary Waref2244ea2015-05-13 01:22:54 -0500179 data.return_conversion.append(
180 'return_value = HANDLE_TO_PYNUM(_return_value);\n')
181
182class DWORD_return_converter(CReturnConverter):
183 type = 'DWORD'
184
185 def render(self, function, data):
186 self.declare(data)
187 self.err_occurred_if("_return_value == DWORD_MAX", data)
188 data.return_conversion.append(
189 'return_value = Py_BuildValue("k", _return_value);\n')
190[python start generated code]*/
Serhiy Storchaka5dee6552016-06-09 16:16:06 +0300191/*[python end generated code: output=da39a3ee5e6b4b0d input=94819e72d2c6d558]*/
Zachary Waref2244ea2015-05-13 01:22:54 -0500192
193#include "clinic/_winapi.c.h"
194
195/*[clinic input]
196_winapi.Overlapped.GetOverlappedResult
197
198 wait: bool
199 /
200[clinic start generated code]*/
201
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200202static PyObject *
Zachary Waref2244ea2015-05-13 01:22:54 -0500203_winapi_Overlapped_GetOverlappedResult_impl(OverlappedObject *self, int wait)
204/*[clinic end generated code: output=bdd0c1ed6518cd03 input=194505ee8e0e3565]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200205{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200206 BOOL res;
207 DWORD transferred = 0;
208 DWORD err;
209
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200210 Py_BEGIN_ALLOW_THREADS
211 res = GetOverlappedResult(self->handle, &self->overlapped, &transferred,
212 wait != 0);
213 Py_END_ALLOW_THREADS
214
215 err = res ? ERROR_SUCCESS : GetLastError();
216 switch (err) {
217 case ERROR_SUCCESS:
218 case ERROR_MORE_DATA:
219 case ERROR_OPERATION_ABORTED:
220 self->completed = 1;
221 self->pending = 0;
222 break;
223 case ERROR_IO_INCOMPLETE:
224 break;
225 default:
226 self->pending = 0;
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +0300227 return PyErr_SetExcFromWindowsErr(PyExc_OSError, err);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200228 }
229 if (self->completed && self->read_buffer != NULL) {
230 assert(PyBytes_CheckExact(self->read_buffer));
231 if (transferred != PyBytes_GET_SIZE(self->read_buffer) &&
232 _PyBytes_Resize(&self->read_buffer, transferred))
233 return NULL;
234 }
235 return Py_BuildValue("II", (unsigned) transferred, (unsigned) err);
236}
237
Zachary Waref2244ea2015-05-13 01:22:54 -0500238/*[clinic input]
239_winapi.Overlapped.getbuffer
240[clinic start generated code]*/
241
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200242static PyObject *
Zachary Waref2244ea2015-05-13 01:22:54 -0500243_winapi_Overlapped_getbuffer_impl(OverlappedObject *self)
244/*[clinic end generated code: output=95a3eceefae0f748 input=347fcfd56b4ceabd]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200245{
246 PyObject *res;
247 if (!self->completed) {
248 PyErr_SetString(PyExc_ValueError,
249 "can't get read buffer before GetOverlappedResult() "
250 "signals the operation completed");
251 return NULL;
252 }
253 res = self->read_buffer ? self->read_buffer : Py_None;
254 Py_INCREF(res);
255 return res;
256}
257
Zachary Waref2244ea2015-05-13 01:22:54 -0500258/*[clinic input]
259_winapi.Overlapped.cancel
260[clinic start generated code]*/
261
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200262static PyObject *
Zachary Waref2244ea2015-05-13 01:22:54 -0500263_winapi_Overlapped_cancel_impl(OverlappedObject *self)
264/*[clinic end generated code: output=fcb9ab5df4ebdae5 input=cbf3da142290039f]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200265{
266 BOOL res = TRUE;
267
268 if (self->pending) {
269 Py_BEGIN_ALLOW_THREADS
270 if (check_CancelIoEx())
271 res = Py_CancelIoEx(self->handle, &self->overlapped);
272 else
273 res = CancelIo(self->handle);
274 Py_END_ALLOW_THREADS
275 }
276
277 /* CancelIoEx returns ERROR_NOT_FOUND if the I/O completed in-between */
278 if (!res && GetLastError() != ERROR_NOT_FOUND)
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +0300279 return PyErr_SetExcFromWindowsErr(PyExc_OSError, 0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200280 self->pending = 0;
281 Py_RETURN_NONE;
282}
283
284static PyMethodDef overlapped_methods[] = {
Zachary Waref2244ea2015-05-13 01:22:54 -0500285 _WINAPI_OVERLAPPED_GETOVERLAPPEDRESULT_METHODDEF
286 _WINAPI_OVERLAPPED_GETBUFFER_METHODDEF
287 _WINAPI_OVERLAPPED_CANCEL_METHODDEF
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200288 {NULL}
289};
290
291static PyMemberDef overlapped_members[] = {
292 {"event", T_HANDLE,
293 offsetof(OverlappedObject, overlapped) + offsetof(OVERLAPPED, hEvent),
294 READONLY, "overlapped event handle"},
295 {NULL}
296};
297
298PyTypeObject OverlappedType = {
299 PyVarObject_HEAD_INIT(NULL, 0)
300 /* tp_name */ "_winapi.Overlapped",
301 /* tp_basicsize */ sizeof(OverlappedObject),
302 /* tp_itemsize */ 0,
303 /* tp_dealloc */ (destructor) overlapped_dealloc,
304 /* tp_print */ 0,
305 /* tp_getattr */ 0,
306 /* tp_setattr */ 0,
307 /* tp_reserved */ 0,
308 /* tp_repr */ 0,
309 /* tp_as_number */ 0,
310 /* tp_as_sequence */ 0,
311 /* tp_as_mapping */ 0,
312 /* tp_hash */ 0,
313 /* tp_call */ 0,
314 /* tp_str */ 0,
315 /* tp_getattro */ 0,
316 /* tp_setattro */ 0,
317 /* tp_as_buffer */ 0,
318 /* tp_flags */ Py_TPFLAGS_DEFAULT,
319 /* tp_doc */ "OVERLAPPED structure wrapper",
320 /* tp_traverse */ 0,
321 /* tp_clear */ 0,
322 /* tp_richcompare */ 0,
323 /* tp_weaklistoffset */ 0,
324 /* tp_iter */ 0,
325 /* tp_iternext */ 0,
326 /* tp_methods */ overlapped_methods,
327 /* tp_members */ overlapped_members,
328 /* tp_getset */ 0,
329 /* tp_base */ 0,
330 /* tp_dict */ 0,
331 /* tp_descr_get */ 0,
332 /* tp_descr_set */ 0,
333 /* tp_dictoffset */ 0,
334 /* tp_init */ 0,
335 /* tp_alloc */ 0,
336 /* tp_new */ 0,
337};
338
339static OverlappedObject *
340new_overlapped(HANDLE handle)
341{
342 OverlappedObject *self;
343
344 self = PyObject_New(OverlappedObject, &OverlappedType);
345 if (!self)
346 return NULL;
347 self->handle = handle;
348 self->read_buffer = NULL;
349 self->pending = 0;
350 self->completed = 0;
351 memset(&self->overlapped, 0, sizeof(OVERLAPPED));
352 memset(&self->write_buffer, 0, sizeof(Py_buffer));
353 /* Manual reset, initially non-signalled */
354 self->overlapped.hEvent = CreateEvent(NULL, TRUE, FALSE, NULL);
355 return self;
356}
357
358/* -------------------------------------------------------------------- */
359/* windows API functions */
360
Zachary Waref2244ea2015-05-13 01:22:54 -0500361/*[clinic input]
362_winapi.CloseHandle
363
364 handle: HANDLE
365 /
366
367Close handle.
368[clinic start generated code]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200369
370static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300371_winapi_CloseHandle_impl(PyObject *module, HANDLE handle)
372/*[clinic end generated code: output=7ad37345f07bd782 input=7f0e4ac36e0352b8]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200373{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200374 BOOL success;
375
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200376 Py_BEGIN_ALLOW_THREADS
Zachary Waref2244ea2015-05-13 01:22:54 -0500377 success = CloseHandle(handle);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200378 Py_END_ALLOW_THREADS
379
380 if (!success)
381 return PyErr_SetFromWindowsErr(0);
382
383 Py_RETURN_NONE;
384}
385
Zachary Waref2244ea2015-05-13 01:22:54 -0500386/*[clinic input]
387_winapi.ConnectNamedPipe
388
389 handle: HANDLE
Serhiy Storchaka202fda52017-03-12 10:10:47 +0200390 overlapped as use_overlapped: bool(accept={int}) = False
Zachary Waref2244ea2015-05-13 01:22:54 -0500391[clinic start generated code]*/
392
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200393static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300394_winapi_ConnectNamedPipe_impl(PyObject *module, HANDLE handle,
Zachary Ware77772c02015-05-13 10:58:35 -0500395 int use_overlapped)
Serhiy Storchaka202fda52017-03-12 10:10:47 +0200396/*[clinic end generated code: output=335a0e7086800671 input=34f937c1c86e5e68]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200397{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200398 BOOL success;
399 OverlappedObject *overlapped = NULL;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200400
401 if (use_overlapped) {
Zachary Waref2244ea2015-05-13 01:22:54 -0500402 overlapped = new_overlapped(handle);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200403 if (!overlapped)
404 return NULL;
405 }
406
407 Py_BEGIN_ALLOW_THREADS
Zachary Waref2244ea2015-05-13 01:22:54 -0500408 success = ConnectNamedPipe(handle,
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200409 overlapped ? &overlapped->overlapped : NULL);
410 Py_END_ALLOW_THREADS
411
412 if (overlapped) {
413 int err = GetLastError();
414 /* Overlapped ConnectNamedPipe never returns a success code */
415 assert(success == 0);
416 if (err == ERROR_IO_PENDING)
417 overlapped->pending = 1;
418 else if (err == ERROR_PIPE_CONNECTED)
419 SetEvent(overlapped->overlapped.hEvent);
420 else {
421 Py_DECREF(overlapped);
422 return PyErr_SetFromWindowsErr(err);
423 }
424 return (PyObject *) overlapped;
425 }
426 if (!success)
427 return PyErr_SetFromWindowsErr(0);
428
429 Py_RETURN_NONE;
430}
431
Zachary Waref2244ea2015-05-13 01:22:54 -0500432/*[clinic input]
433_winapi.CreateFile -> HANDLE
434
435 file_name: LPCTSTR
436 desired_access: DWORD
437 share_mode: DWORD
438 security_attributes: LPSECURITY_ATTRIBUTES
439 creation_disposition: DWORD
440 flags_and_attributes: DWORD
441 template_file: HANDLE
442 /
443[clinic start generated code]*/
444
445static HANDLE
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300446_winapi_CreateFile_impl(PyObject *module, LPCTSTR file_name,
Zachary Ware77772c02015-05-13 10:58:35 -0500447 DWORD desired_access, DWORD share_mode,
448 LPSECURITY_ATTRIBUTES security_attributes,
449 DWORD creation_disposition,
450 DWORD flags_and_attributes, HANDLE template_file)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300451/*[clinic end generated code: output=417ddcebfc5a3d53 input=6423c3e40372dbd5]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200452{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200453 HANDLE handle;
454
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200455 Py_BEGIN_ALLOW_THREADS
Zachary Waref2244ea2015-05-13 01:22:54 -0500456 handle = CreateFile(file_name, desired_access,
457 share_mode, security_attributes,
458 creation_disposition,
459 flags_and_attributes, template_file);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200460 Py_END_ALLOW_THREADS
461
462 if (handle == INVALID_HANDLE_VALUE)
Zachary Waref2244ea2015-05-13 01:22:54 -0500463 PyErr_SetFromWindowsErr(0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200464
Zachary Waref2244ea2015-05-13 01:22:54 -0500465 return handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200466}
467
Zachary Waref2244ea2015-05-13 01:22:54 -0500468/*[clinic input]
469_winapi.CreateJunction
Tim Golden0321cf22014-05-05 19:46:17 +0100470
Zachary Waref2244ea2015-05-13 01:22:54 -0500471 src_path: LPWSTR
472 dst_path: LPWSTR
473 /
474[clinic start generated code]*/
475
476static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300477_winapi_CreateJunction_impl(PyObject *module, LPWSTR src_path,
Zachary Ware77772c02015-05-13 10:58:35 -0500478 LPWSTR dst_path)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300479/*[clinic end generated code: output=66b7eb746e1dfa25 input=8cd1f9964b6e3d36]*/
Zachary Waref2244ea2015-05-13 01:22:54 -0500480{
Tim Golden0321cf22014-05-05 19:46:17 +0100481 /* Privilege adjustment */
482 HANDLE token = NULL;
483 TOKEN_PRIVILEGES tp;
484
485 /* Reparse data buffer */
486 const USHORT prefix_len = 4;
487 USHORT print_len = 0;
488 USHORT rdb_size = 0;
Martin Panter70214ad2016-08-04 02:38:59 +0000489 _Py_PREPARSE_DATA_BUFFER rdb = NULL;
Tim Golden0321cf22014-05-05 19:46:17 +0100490
491 /* Junction point creation */
492 HANDLE junction = NULL;
493 DWORD ret = 0;
494
Tim Golden0321cf22014-05-05 19:46:17 +0100495 if (src_path == NULL || dst_path == NULL)
496 return PyErr_SetFromWindowsErr(ERROR_INVALID_PARAMETER);
497
498 if (wcsncmp(src_path, L"\\??\\", prefix_len) == 0)
499 return PyErr_SetFromWindowsErr(ERROR_INVALID_PARAMETER);
500
501 /* Adjust privileges to allow rewriting directory entry as a
502 junction point. */
503 if (!OpenProcessToken(GetCurrentProcess(), TOKEN_ADJUST_PRIVILEGES, &token))
504 goto cleanup;
505
506 if (!LookupPrivilegeValue(NULL, SE_RESTORE_NAME, &tp.Privileges[0].Luid))
507 goto cleanup;
508
509 tp.PrivilegeCount = 1;
510 tp.Privileges[0].Attributes = SE_PRIVILEGE_ENABLED;
511 if (!AdjustTokenPrivileges(token, FALSE, &tp, sizeof(TOKEN_PRIVILEGES),
512 NULL, NULL))
513 goto cleanup;
514
515 if (GetFileAttributesW(src_path) == INVALID_FILE_ATTRIBUTES)
516 goto cleanup;
517
518 /* Store the absolute link target path length in print_len. */
519 print_len = (USHORT)GetFullPathNameW(src_path, 0, NULL, NULL);
520 if (print_len == 0)
521 goto cleanup;
522
523 /* NUL terminator should not be part of print_len. */
524 --print_len;
525
526 /* REPARSE_DATA_BUFFER usage is heavily under-documented, especially for
527 junction points. Here's what I've learned along the way:
528 - A junction point has two components: a print name and a substitute
529 name. They both describe the link target, but the substitute name is
530 the physical target and the print name is shown in directory listings.
531 - The print name must be a native name, prefixed with "\??\".
532 - Both names are stored after each other in the same buffer (the
533 PathBuffer) and both must be NUL-terminated.
534 - There are four members defining their respective offset and length
535 inside PathBuffer: SubstituteNameOffset, SubstituteNameLength,
536 PrintNameOffset and PrintNameLength.
537 - The total size we need to allocate for the REPARSE_DATA_BUFFER, thus,
538 is the sum of:
539 - the fixed header size (REPARSE_DATA_BUFFER_HEADER_SIZE)
540 - the size of the MountPointReparseBuffer member without the PathBuffer
541 - the size of the prefix ("\??\") in bytes
542 - the size of the print name in bytes
543 - the size of the substitute name in bytes
544 - the size of two NUL terminators in bytes */
Martin Panter70214ad2016-08-04 02:38:59 +0000545 rdb_size = _Py_REPARSE_DATA_BUFFER_HEADER_SIZE +
Tim Golden0321cf22014-05-05 19:46:17 +0100546 sizeof(rdb->MountPointReparseBuffer) -
547 sizeof(rdb->MountPointReparseBuffer.PathBuffer) +
548 /* Two +1's for NUL terminators. */
549 (prefix_len + print_len + 1 + print_len + 1) * sizeof(WCHAR);
Martin Panter70214ad2016-08-04 02:38:59 +0000550 rdb = (_Py_PREPARSE_DATA_BUFFER)PyMem_RawMalloc(rdb_size);
Tim Golden0321cf22014-05-05 19:46:17 +0100551 if (rdb == NULL)
552 goto cleanup;
553
554 memset(rdb, 0, rdb_size);
555 rdb->ReparseTag = IO_REPARSE_TAG_MOUNT_POINT;
Martin Panter70214ad2016-08-04 02:38:59 +0000556 rdb->ReparseDataLength = rdb_size - _Py_REPARSE_DATA_BUFFER_HEADER_SIZE;
Tim Golden0321cf22014-05-05 19:46:17 +0100557 rdb->MountPointReparseBuffer.SubstituteNameOffset = 0;
558 rdb->MountPointReparseBuffer.SubstituteNameLength =
559 (prefix_len + print_len) * sizeof(WCHAR);
560 rdb->MountPointReparseBuffer.PrintNameOffset =
561 rdb->MountPointReparseBuffer.SubstituteNameLength + sizeof(WCHAR);
562 rdb->MountPointReparseBuffer.PrintNameLength = print_len * sizeof(WCHAR);
563
564 /* Store the full native path of link target at the substitute name
565 offset (0). */
566 wcscpy(rdb->MountPointReparseBuffer.PathBuffer, L"\\??\\");
567 if (GetFullPathNameW(src_path, print_len + 1,
568 rdb->MountPointReparseBuffer.PathBuffer + prefix_len,
569 NULL) == 0)
570 goto cleanup;
571
572 /* Copy everything but the native prefix to the print name offset. */
573 wcscpy(rdb->MountPointReparseBuffer.PathBuffer +
574 prefix_len + print_len + 1,
575 rdb->MountPointReparseBuffer.PathBuffer + prefix_len);
576
577 /* Create a directory for the junction point. */
578 if (!CreateDirectoryW(dst_path, NULL))
579 goto cleanup;
580
581 junction = CreateFileW(dst_path, GENERIC_READ | GENERIC_WRITE, 0, NULL,
582 OPEN_EXISTING,
583 FILE_FLAG_OPEN_REPARSE_POINT | FILE_FLAG_BACKUP_SEMANTICS, NULL);
584 if (junction == INVALID_HANDLE_VALUE)
585 goto cleanup;
586
587 /* Make the directory entry a junction point. */
588 if (!DeviceIoControl(junction, FSCTL_SET_REPARSE_POINT, rdb, rdb_size,
589 NULL, 0, &ret, NULL))
590 goto cleanup;
591
592cleanup:
593 ret = GetLastError();
594
595 CloseHandle(token);
596 CloseHandle(junction);
597 PyMem_RawFree(rdb);
598
599 if (ret != 0)
600 return PyErr_SetFromWindowsErr(ret);
601
602 Py_RETURN_NONE;
603}
604
Zachary Waref2244ea2015-05-13 01:22:54 -0500605/*[clinic input]
606_winapi.CreateNamedPipe -> HANDLE
607
608 name: LPCTSTR
609 open_mode: DWORD
610 pipe_mode: DWORD
611 max_instances: DWORD
612 out_buffer_size: DWORD
613 in_buffer_size: DWORD
614 default_timeout: DWORD
615 security_attributes: LPSECURITY_ATTRIBUTES
616 /
617[clinic start generated code]*/
618
619static HANDLE
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300620_winapi_CreateNamedPipe_impl(PyObject *module, LPCTSTR name, DWORD open_mode,
621 DWORD pipe_mode, DWORD max_instances,
622 DWORD out_buffer_size, DWORD in_buffer_size,
623 DWORD default_timeout,
Zachary Ware77772c02015-05-13 10:58:35 -0500624 LPSECURITY_ATTRIBUTES security_attributes)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300625/*[clinic end generated code: output=80f8c07346a94fbc input=5a73530b84d8bc37]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200626{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200627 HANDLE handle;
628
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200629 Py_BEGIN_ALLOW_THREADS
Zachary Waref2244ea2015-05-13 01:22:54 -0500630 handle = CreateNamedPipe(name, open_mode, pipe_mode,
631 max_instances, out_buffer_size,
632 in_buffer_size, default_timeout,
633 security_attributes);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200634 Py_END_ALLOW_THREADS
635
636 if (handle == INVALID_HANDLE_VALUE)
Zachary Waref2244ea2015-05-13 01:22:54 -0500637 PyErr_SetFromWindowsErr(0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200638
Zachary Waref2244ea2015-05-13 01:22:54 -0500639 return handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200640}
641
Zachary Waref2244ea2015-05-13 01:22:54 -0500642/*[clinic input]
643_winapi.CreatePipe
644
645 pipe_attrs: object
646 Ignored internally, can be None.
647 size: DWORD
648 /
649
650Create an anonymous pipe.
651
652Returns a 2-tuple of handles, to the read and write ends of the pipe.
653[clinic start generated code]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200654
655static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300656_winapi_CreatePipe_impl(PyObject *module, PyObject *pipe_attrs, DWORD size)
657/*[clinic end generated code: output=1c4411d8699f0925 input=c4f2cfa56ef68d90]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200658{
659 HANDLE read_pipe;
660 HANDLE write_pipe;
661 BOOL result;
662
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200663 Py_BEGIN_ALLOW_THREADS
664 result = CreatePipe(&read_pipe, &write_pipe, NULL, size);
665 Py_END_ALLOW_THREADS
666
667 if (! result)
668 return PyErr_SetFromWindowsErr(GetLastError());
669
670 return Py_BuildValue(
671 "NN", HANDLE_TO_PYNUM(read_pipe), HANDLE_TO_PYNUM(write_pipe));
672}
673
674/* helpers for createprocess */
675
676static unsigned long
Serhiy Storchakaef1585e2015-12-25 20:01:53 +0200677getulong(PyObject* obj, const char* name)
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200678{
679 PyObject* value;
680 unsigned long ret;
681
682 value = PyObject_GetAttrString(obj, name);
683 if (! value) {
684 PyErr_Clear(); /* FIXME: propagate error? */
685 return 0;
686 }
687 ret = PyLong_AsUnsignedLong(value);
688 Py_DECREF(value);
689 return ret;
690}
691
692static HANDLE
Serhiy Storchakaef1585e2015-12-25 20:01:53 +0200693gethandle(PyObject* obj, const char* name)
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200694{
695 PyObject* value;
696 HANDLE ret;
697
698 value = PyObject_GetAttrString(obj, name);
699 if (! value) {
700 PyErr_Clear(); /* FIXME: propagate error? */
701 return NULL;
702 }
703 if (value == Py_None)
704 ret = NULL;
705 else
706 ret = PYNUM_TO_HANDLE(value);
707 Py_DECREF(value);
708 return ret;
709}
710
711static PyObject*
712getenvironment(PyObject* environment)
713{
714 Py_ssize_t i, envsize, totalsize;
715 Py_UCS4 *buffer = NULL, *p, *end;
716 PyObject *keys, *values, *res;
717
Ezio Melotti85a86292013-08-17 16:57:41 +0300718 /* convert environment dictionary to windows environment string */
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200719 if (! PyMapping_Check(environment)) {
720 PyErr_SetString(
721 PyExc_TypeError, "environment must be dictionary or None");
722 return NULL;
723 }
724
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200725 keys = PyMapping_Keys(environment);
726 values = PyMapping_Values(environment);
727 if (!keys || !values)
728 goto error;
729
Serhiy Storchakabf623ae2017-04-19 20:03:52 +0300730 envsize = PySequence_Fast_GET_SIZE(keys);
731 if (PySequence_Fast_GET_SIZE(values) != envsize) {
732 PyErr_SetString(PyExc_RuntimeError,
733 "environment changed size during iteration");
734 goto error;
735 }
736
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200737 totalsize = 1; /* trailing null character */
738 for (i = 0; i < envsize; i++) {
Serhiy Storchakabf623ae2017-04-19 20:03:52 +0300739 PyObject* key = PySequence_Fast_GET_ITEM(keys, i);
740 PyObject* value = PySequence_Fast_GET_ITEM(values, i);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200741
742 if (! PyUnicode_Check(key) || ! PyUnicode_Check(value)) {
743 PyErr_SetString(PyExc_TypeError,
744 "environment can only contain strings");
745 goto error;
746 }
Benjamin Peterson8ce68062015-02-09 20:58:12 -0500747 if (totalsize > PY_SSIZE_T_MAX - PyUnicode_GET_LENGTH(key) - 1) {
748 PyErr_SetString(PyExc_OverflowError, "environment too long");
749 goto error;
750 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200751 totalsize += PyUnicode_GET_LENGTH(key) + 1; /* +1 for '=' */
Benjamin Peterson8ce68062015-02-09 20:58:12 -0500752 if (totalsize > PY_SSIZE_T_MAX - PyUnicode_GET_LENGTH(value) - 1) {
753 PyErr_SetString(PyExc_OverflowError, "environment too long");
754 goto error;
755 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200756 totalsize += PyUnicode_GET_LENGTH(value) + 1; /* +1 for '\0' */
757 }
758
Benjamin Peterson8ce68062015-02-09 20:58:12 -0500759 buffer = PyMem_NEW(Py_UCS4, totalsize);
760 if (! buffer) {
761 PyErr_NoMemory();
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200762 goto error;
Benjamin Peterson8ce68062015-02-09 20:58:12 -0500763 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200764 p = buffer;
765 end = buffer + totalsize;
766
767 for (i = 0; i < envsize; i++) {
Serhiy Storchakabf623ae2017-04-19 20:03:52 +0300768 PyObject* key = PySequence_Fast_GET_ITEM(keys, i);
769 PyObject* value = PySequence_Fast_GET_ITEM(values, i);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200770 if (!PyUnicode_AsUCS4(key, p, end - p, 0))
771 goto error;
772 p += PyUnicode_GET_LENGTH(key);
773 *p++ = '=';
774 if (!PyUnicode_AsUCS4(value, p, end - p, 0))
775 goto error;
776 p += PyUnicode_GET_LENGTH(value);
777 *p++ = '\0';
778 }
779
780 /* add trailing null byte */
781 *p++ = '\0';
782 assert(p == end);
783
784 Py_XDECREF(keys);
785 Py_XDECREF(values);
786
787 res = PyUnicode_FromKindAndData(PyUnicode_4BYTE_KIND, buffer, p - buffer);
788 PyMem_Free(buffer);
789 return res;
790
791 error:
792 PyMem_Free(buffer);
793 Py_XDECREF(keys);
794 Py_XDECREF(values);
795 return NULL;
796}
797
Zachary Waref2244ea2015-05-13 01:22:54 -0500798/*[clinic input]
799_winapi.CreateProcess
800
Zachary Ware77772c02015-05-13 10:58:35 -0500801 application_name: Py_UNICODE(accept={str, NoneType})
802 command_line: Py_UNICODE(accept={str, NoneType})
Zachary Waref2244ea2015-05-13 01:22:54 -0500803 proc_attrs: object
804 Ignored internally, can be None.
805 thread_attrs: object
806 Ignored internally, can be None.
807 inherit_handles: BOOL
808 creation_flags: DWORD
809 env_mapping: object
Zachary Ware77772c02015-05-13 10:58:35 -0500810 current_directory: Py_UNICODE(accept={str, NoneType})
Zachary Waref2244ea2015-05-13 01:22:54 -0500811 startup_info: object
812 /
813
814Create a new process and its primary thread.
815
816The return value is a tuple of the process handle, thread handle,
817process ID, and thread ID.
818[clinic start generated code]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200819
820static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300821_winapi_CreateProcess_impl(PyObject *module, Py_UNICODE *application_name,
Zachary Ware77772c02015-05-13 10:58:35 -0500822 Py_UNICODE *command_line, PyObject *proc_attrs,
823 PyObject *thread_attrs, BOOL inherit_handles,
824 DWORD creation_flags, PyObject *env_mapping,
825 Py_UNICODE *current_directory,
826 PyObject *startup_info)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300827/*[clinic end generated code: output=4652a33aff4b0ae1 input=4a43b05038d639bb]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200828{
829 BOOL result;
830 PROCESS_INFORMATION pi;
831 STARTUPINFOW si;
832 PyObject* environment;
833 wchar_t *wenvironment;
834
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200835 ZeroMemory(&si, sizeof(si));
836 si.cb = sizeof(si);
837
838 /* note: we only support a small subset of all SI attributes */
839 si.dwFlags = getulong(startup_info, "dwFlags");
840 si.wShowWindow = (WORD)getulong(startup_info, "wShowWindow");
841 si.hStdInput = gethandle(startup_info, "hStdInput");
842 si.hStdOutput = gethandle(startup_info, "hStdOutput");
843 si.hStdError = gethandle(startup_info, "hStdError");
844 if (PyErr_Occurred())
845 return NULL;
846
847 if (env_mapping != Py_None) {
848 environment = getenvironment(env_mapping);
849 if (! environment)
850 return NULL;
851 wenvironment = PyUnicode_AsUnicode(environment);
852 if (wenvironment == NULL)
853 {
854 Py_XDECREF(environment);
855 return NULL;
856 }
857 }
858 else {
859 environment = NULL;
860 wenvironment = NULL;
861 }
862
863 Py_BEGIN_ALLOW_THREADS
864 result = CreateProcessW(application_name,
865 command_line,
866 NULL,
867 NULL,
868 inherit_handles,
869 creation_flags | CREATE_UNICODE_ENVIRONMENT,
870 wenvironment,
871 current_directory,
872 &si,
873 &pi);
874 Py_END_ALLOW_THREADS
875
876 Py_XDECREF(environment);
877
878 if (! result)
879 return PyErr_SetFromWindowsErr(GetLastError());
880
881 return Py_BuildValue("NNkk",
882 HANDLE_TO_PYNUM(pi.hProcess),
883 HANDLE_TO_PYNUM(pi.hThread),
884 pi.dwProcessId,
885 pi.dwThreadId);
886}
887
Zachary Waref2244ea2015-05-13 01:22:54 -0500888/*[clinic input]
889_winapi.DuplicateHandle -> HANDLE
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200890
Zachary Waref2244ea2015-05-13 01:22:54 -0500891 source_process_handle: HANDLE
892 source_handle: HANDLE
893 target_process_handle: HANDLE
894 desired_access: DWORD
895 inherit_handle: BOOL
896 options: DWORD = 0
897 /
898
899Return a duplicate handle object.
900
901The duplicate handle refers to the same object as the original
902handle. Therefore, any changes to the object are reflected
903through both handles.
904[clinic start generated code]*/
905
906static HANDLE
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300907_winapi_DuplicateHandle_impl(PyObject *module, HANDLE source_process_handle,
Zachary Ware77772c02015-05-13 10:58:35 -0500908 HANDLE source_handle,
909 HANDLE target_process_handle,
910 DWORD desired_access, BOOL inherit_handle,
911 DWORD options)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300912/*[clinic end generated code: output=ad9711397b5dcd4e input=b933e3f2356a8c12]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200913{
914 HANDLE target_handle;
915 BOOL result;
916
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200917 Py_BEGIN_ALLOW_THREADS
918 result = DuplicateHandle(
919 source_process_handle,
920 source_handle,
921 target_process_handle,
922 &target_handle,
923 desired_access,
924 inherit_handle,
925 options
926 );
927 Py_END_ALLOW_THREADS
928
Zachary Waref2244ea2015-05-13 01:22:54 -0500929 if (! result) {
930 PyErr_SetFromWindowsErr(GetLastError());
931 return INVALID_HANDLE_VALUE;
932 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200933
Zachary Waref2244ea2015-05-13 01:22:54 -0500934 return target_handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200935}
936
Zachary Waref2244ea2015-05-13 01:22:54 -0500937/*[clinic input]
938_winapi.ExitProcess
939
940 ExitCode: UINT
941 /
942
943[clinic start generated code]*/
944
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200945static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300946_winapi_ExitProcess_impl(PyObject *module, UINT ExitCode)
947/*[clinic end generated code: output=a387deb651175301 input=4f05466a9406c558]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200948{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200949 #if defined(Py_DEBUG)
950 SetErrorMode(SEM_FAILCRITICALERRORS|SEM_NOALIGNMENTFAULTEXCEPT|
951 SEM_NOGPFAULTERRORBOX|SEM_NOOPENFILEERRORBOX);
952 _CrtSetReportMode(_CRT_ASSERT, _CRTDBG_MODE_DEBUG);
953 #endif
954
Zachary Waref2244ea2015-05-13 01:22:54 -0500955 ExitProcess(ExitCode);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200956
957 return NULL;
958}
959
Zachary Waref2244ea2015-05-13 01:22:54 -0500960/*[clinic input]
961_winapi.GetCurrentProcess -> HANDLE
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200962
Zachary Waref2244ea2015-05-13 01:22:54 -0500963Return a handle object for the current process.
964[clinic start generated code]*/
965
966static HANDLE
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300967_winapi_GetCurrentProcess_impl(PyObject *module)
968/*[clinic end generated code: output=ddeb4dd2ffadf344 input=b213403fd4b96b41]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200969{
Zachary Waref2244ea2015-05-13 01:22:54 -0500970 return GetCurrentProcess();
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200971}
972
Zachary Waref2244ea2015-05-13 01:22:54 -0500973/*[clinic input]
974_winapi.GetExitCodeProcess -> DWORD
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200975
Zachary Waref2244ea2015-05-13 01:22:54 -0500976 process: HANDLE
977 /
978
979Return the termination status of the specified process.
980[clinic start generated code]*/
981
982static DWORD
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +0300983_winapi_GetExitCodeProcess_impl(PyObject *module, HANDLE process)
984/*[clinic end generated code: output=b4620bdf2bccf36b input=61b6bfc7dc2ee374]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200985{
986 DWORD exit_code;
987 BOOL result;
988
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200989 result = GetExitCodeProcess(process, &exit_code);
990
Zachary Waref2244ea2015-05-13 01:22:54 -0500991 if (! result) {
992 PyErr_SetFromWindowsErr(GetLastError());
993 exit_code = DWORD_MAX;
994 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200995
Zachary Waref2244ea2015-05-13 01:22:54 -0500996 return exit_code;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200997}
998
Zachary Waref2244ea2015-05-13 01:22:54 -0500999/*[clinic input]
1000_winapi.GetLastError -> DWORD
1001[clinic start generated code]*/
1002
1003static DWORD
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001004_winapi_GetLastError_impl(PyObject *module)
1005/*[clinic end generated code: output=8585b827cb1a92c5 input=62d47fb9bce038ba]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001006{
Zachary Waref2244ea2015-05-13 01:22:54 -05001007 return GetLastError();
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001008}
1009
Zachary Waref2244ea2015-05-13 01:22:54 -05001010/*[clinic input]
1011_winapi.GetModuleFileName
1012
1013 module_handle: HMODULE
1014 /
1015
1016Return the fully-qualified path for the file that contains module.
1017
1018The module must have been loaded by the current process.
1019
1020The module parameter should be a handle to the loaded module
1021whose path is being requested. If this parameter is 0,
1022GetModuleFileName retrieves the path of the executable file
1023of the current process.
1024[clinic start generated code]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001025
1026static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001027_winapi_GetModuleFileName_impl(PyObject *module, HMODULE module_handle)
1028/*[clinic end generated code: output=85b4b728c5160306 input=6d66ff7deca5d11f]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001029{
1030 BOOL result;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001031 WCHAR filename[MAX_PATH];
1032
Zachary Waref2244ea2015-05-13 01:22:54 -05001033 result = GetModuleFileNameW(module_handle, filename, MAX_PATH);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001034 filename[MAX_PATH-1] = '\0';
1035
1036 if (! result)
1037 return PyErr_SetFromWindowsErr(GetLastError());
1038
1039 return PyUnicode_FromWideChar(filename, wcslen(filename));
1040}
1041
Zachary Waref2244ea2015-05-13 01:22:54 -05001042/*[clinic input]
1043_winapi.GetStdHandle -> HANDLE
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001044
Zachary Waref2244ea2015-05-13 01:22:54 -05001045 std_handle: DWORD
1046 One of STD_INPUT_HANDLE, STD_OUTPUT_HANDLE, or STD_ERROR_HANDLE.
1047 /
1048
1049Return a handle to the specified standard device.
1050
1051The integer associated with the handle object is returned.
1052[clinic start generated code]*/
1053
1054static HANDLE
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001055_winapi_GetStdHandle_impl(PyObject *module, DWORD std_handle)
1056/*[clinic end generated code: output=0e613001e73ab614 input=07016b06a2fc8826]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001057{
1058 HANDLE handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001059
1060 Py_BEGIN_ALLOW_THREADS
1061 handle = GetStdHandle(std_handle);
1062 Py_END_ALLOW_THREADS
1063
1064 if (handle == INVALID_HANDLE_VALUE)
Zachary Waref2244ea2015-05-13 01:22:54 -05001065 PyErr_SetFromWindowsErr(GetLastError());
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001066
Zachary Waref2244ea2015-05-13 01:22:54 -05001067 return handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001068}
1069
Zachary Waref2244ea2015-05-13 01:22:54 -05001070/*[clinic input]
1071_winapi.GetVersion -> long
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001072
Zachary Waref2244ea2015-05-13 01:22:54 -05001073Return the version number of the current operating system.
1074[clinic start generated code]*/
1075
1076static long
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001077_winapi_GetVersion_impl(PyObject *module)
1078/*[clinic end generated code: output=e41f0db5a3b82682 input=e21dff8d0baeded2]*/
Steve Dower3e96f322015-03-02 08:01:10 -08001079/* Disable deprecation warnings about GetVersionEx as the result is
1080 being passed straight through to the caller, who is responsible for
1081 using it correctly. */
1082#pragma warning(push)
1083#pragma warning(disable:4996)
1084
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001085{
Zachary Waref2244ea2015-05-13 01:22:54 -05001086 return GetVersion();
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001087}
1088
Steve Dower3e96f322015-03-02 08:01:10 -08001089#pragma warning(pop)
1090
Zachary Waref2244ea2015-05-13 01:22:54 -05001091/*[clinic input]
1092_winapi.OpenProcess -> HANDLE
1093
1094 desired_access: DWORD
1095 inherit_handle: BOOL
1096 process_id: DWORD
1097 /
1098[clinic start generated code]*/
1099
1100static HANDLE
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001101_winapi_OpenProcess_impl(PyObject *module, DWORD desired_access,
Zachary Ware77772c02015-05-13 10:58:35 -05001102 BOOL inherit_handle, DWORD process_id)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001103/*[clinic end generated code: output=b42b6b81ea5a0fc3 input=ec98c4cf4ea2ec36]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001104{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001105 HANDLE handle;
1106
Zachary Waref2244ea2015-05-13 01:22:54 -05001107 handle = OpenProcess(desired_access, inherit_handle, process_id);
1108 if (handle == NULL) {
1109 PyErr_SetFromWindowsErr(0);
1110 handle = INVALID_HANDLE_VALUE;
1111 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001112
Zachary Waref2244ea2015-05-13 01:22:54 -05001113 return handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001114}
1115
Zachary Waref2244ea2015-05-13 01:22:54 -05001116/*[clinic input]
1117_winapi.PeekNamedPipe
1118
1119 handle: HANDLE
1120 size: int = 0
1121 /
1122[clinic start generated code]*/
1123
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001124static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001125_winapi_PeekNamedPipe_impl(PyObject *module, HANDLE handle, int size)
1126/*[clinic end generated code: output=d0c3e29e49d323dd input=c7aa53bfbce69d70]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001127{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001128 PyObject *buf = NULL;
1129 DWORD nread, navail, nleft;
1130 BOOL ret;
1131
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001132 if (size < 0) {
1133 PyErr_SetString(PyExc_ValueError, "negative size");
1134 return NULL;
1135 }
1136
1137 if (size) {
1138 buf = PyBytes_FromStringAndSize(NULL, size);
1139 if (!buf)
1140 return NULL;
1141 Py_BEGIN_ALLOW_THREADS
1142 ret = PeekNamedPipe(handle, PyBytes_AS_STRING(buf), size, &nread,
1143 &navail, &nleft);
1144 Py_END_ALLOW_THREADS
1145 if (!ret) {
1146 Py_DECREF(buf);
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +03001147 return PyErr_SetExcFromWindowsErr(PyExc_OSError, 0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001148 }
1149 if (_PyBytes_Resize(&buf, nread))
1150 return NULL;
1151 return Py_BuildValue("Nii", buf, navail, nleft);
1152 }
1153 else {
1154 Py_BEGIN_ALLOW_THREADS
1155 ret = PeekNamedPipe(handle, NULL, 0, NULL, &navail, &nleft);
1156 Py_END_ALLOW_THREADS
1157 if (!ret) {
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +03001158 return PyErr_SetExcFromWindowsErr(PyExc_OSError, 0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001159 }
1160 return Py_BuildValue("ii", navail, nleft);
1161 }
1162}
1163
Zachary Waref2244ea2015-05-13 01:22:54 -05001164/*[clinic input]
1165_winapi.ReadFile
1166
1167 handle: HANDLE
1168 size: int
Serhiy Storchaka202fda52017-03-12 10:10:47 +02001169 overlapped as use_overlapped: bool(accept={int}) = False
Zachary Waref2244ea2015-05-13 01:22:54 -05001170[clinic start generated code]*/
1171
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001172static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001173_winapi_ReadFile_impl(PyObject *module, HANDLE handle, int size,
Zachary Ware77772c02015-05-13 10:58:35 -05001174 int use_overlapped)
Serhiy Storchaka202fda52017-03-12 10:10:47 +02001175/*[clinic end generated code: output=492029ca98161d84 input=3f0fde92f74de59a]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001176{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001177 DWORD nread;
1178 PyObject *buf;
1179 BOOL ret;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001180 DWORD err;
1181 OverlappedObject *overlapped = NULL;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001182
1183 buf = PyBytes_FromStringAndSize(NULL, size);
1184 if (!buf)
1185 return NULL;
1186 if (use_overlapped) {
1187 overlapped = new_overlapped(handle);
1188 if (!overlapped) {
1189 Py_DECREF(buf);
1190 return NULL;
1191 }
1192 /* Steals reference to buf */
1193 overlapped->read_buffer = buf;
1194 }
1195
1196 Py_BEGIN_ALLOW_THREADS
1197 ret = ReadFile(handle, PyBytes_AS_STRING(buf), size, &nread,
1198 overlapped ? &overlapped->overlapped : NULL);
1199 Py_END_ALLOW_THREADS
1200
1201 err = ret ? 0 : GetLastError();
1202
1203 if (overlapped) {
1204 if (!ret) {
1205 if (err == ERROR_IO_PENDING)
1206 overlapped->pending = 1;
1207 else if (err != ERROR_MORE_DATA) {
1208 Py_DECREF(overlapped);
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +03001209 return PyErr_SetExcFromWindowsErr(PyExc_OSError, 0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001210 }
1211 }
1212 return Py_BuildValue("NI", (PyObject *) overlapped, err);
1213 }
1214
1215 if (!ret && err != ERROR_MORE_DATA) {
1216 Py_DECREF(buf);
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +03001217 return PyErr_SetExcFromWindowsErr(PyExc_OSError, 0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001218 }
1219 if (_PyBytes_Resize(&buf, nread))
1220 return NULL;
1221 return Py_BuildValue("NI", buf, err);
1222}
1223
Zachary Waref2244ea2015-05-13 01:22:54 -05001224/*[clinic input]
1225_winapi.SetNamedPipeHandleState
1226
1227 named_pipe: HANDLE
1228 mode: object
1229 max_collection_count: object
1230 collect_data_timeout: object
1231 /
1232[clinic start generated code]*/
1233
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001234static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001235_winapi_SetNamedPipeHandleState_impl(PyObject *module, HANDLE named_pipe,
Zachary Ware77772c02015-05-13 10:58:35 -05001236 PyObject *mode,
1237 PyObject *max_collection_count,
1238 PyObject *collect_data_timeout)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001239/*[clinic end generated code: output=f2129d222cbfa095 input=9142d72163d0faa6]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001240{
Zachary Waref2244ea2015-05-13 01:22:54 -05001241 PyObject *oArgs[3] = {mode, max_collection_count, collect_data_timeout};
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001242 DWORD dwArgs[3], *pArgs[3] = {NULL, NULL, NULL};
1243 int i;
1244
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001245 PyErr_Clear();
1246
1247 for (i = 0 ; i < 3 ; i++) {
1248 if (oArgs[i] != Py_None) {
1249 dwArgs[i] = PyLong_AsUnsignedLongMask(oArgs[i]);
1250 if (PyErr_Occurred())
1251 return NULL;
1252 pArgs[i] = &dwArgs[i];
1253 }
1254 }
1255
Zachary Waref2244ea2015-05-13 01:22:54 -05001256 if (!SetNamedPipeHandleState(named_pipe, pArgs[0], pArgs[1], pArgs[2]))
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001257 return PyErr_SetFromWindowsErr(0);
1258
1259 Py_RETURN_NONE;
1260}
1261
Zachary Waref2244ea2015-05-13 01:22:54 -05001262
1263/*[clinic input]
1264_winapi.TerminateProcess
1265
1266 handle: HANDLE
1267 exit_code: UINT
1268 /
1269
1270Terminate the specified process and all of its threads.
1271[clinic start generated code]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001272
1273static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001274_winapi_TerminateProcess_impl(PyObject *module, HANDLE handle,
Zachary Ware77772c02015-05-13 10:58:35 -05001275 UINT exit_code)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001276/*[clinic end generated code: output=f4e99ac3f0b1f34a input=d6bc0aa1ee3bb4df]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001277{
1278 BOOL result;
1279
Zachary Waref2244ea2015-05-13 01:22:54 -05001280 result = TerminateProcess(handle, exit_code);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001281
1282 if (! result)
1283 return PyErr_SetFromWindowsErr(GetLastError());
1284
Zachary Waref2244ea2015-05-13 01:22:54 -05001285 Py_RETURN_NONE;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001286}
1287
Zachary Waref2244ea2015-05-13 01:22:54 -05001288/*[clinic input]
1289_winapi.WaitNamedPipe
1290
1291 name: LPCTSTR
1292 timeout: DWORD
1293 /
1294[clinic start generated code]*/
1295
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001296static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001297_winapi_WaitNamedPipe_impl(PyObject *module, LPCTSTR name, DWORD timeout)
1298/*[clinic end generated code: output=c2866f4439b1fe38 input=36fc781291b1862c]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001299{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001300 BOOL success;
1301
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001302 Py_BEGIN_ALLOW_THREADS
Zachary Waref2244ea2015-05-13 01:22:54 -05001303 success = WaitNamedPipe(name, timeout);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001304 Py_END_ALLOW_THREADS
1305
1306 if (!success)
1307 return PyErr_SetFromWindowsErr(0);
1308
1309 Py_RETURN_NONE;
1310}
1311
Zachary Waref2244ea2015-05-13 01:22:54 -05001312/*[clinic input]
1313_winapi.WaitForMultipleObjects
1314
1315 handle_seq: object
1316 wait_flag: BOOL
1317 milliseconds: DWORD(c_default='INFINITE') = _winapi.INFINITE
1318 /
1319[clinic start generated code]*/
1320
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001321static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001322_winapi_WaitForMultipleObjects_impl(PyObject *module, PyObject *handle_seq,
1323 BOOL wait_flag, DWORD milliseconds)
1324/*[clinic end generated code: output=295e3f00b8e45899 input=36f76ca057cd28a0]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001325{
1326 DWORD result;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001327 HANDLE handles[MAXIMUM_WAIT_OBJECTS];
1328 HANDLE sigint_event = NULL;
1329 Py_ssize_t nhandles, i;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001330
1331 if (!PySequence_Check(handle_seq)) {
1332 PyErr_Format(PyExc_TypeError,
1333 "sequence type expected, got '%s'",
Richard Oudkerk67339272012-08-21 14:54:22 +01001334 Py_TYPE(handle_seq)->tp_name);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001335 return NULL;
1336 }
1337 nhandles = PySequence_Length(handle_seq);
1338 if (nhandles == -1)
1339 return NULL;
1340 if (nhandles < 0 || nhandles >= MAXIMUM_WAIT_OBJECTS - 1) {
1341 PyErr_Format(PyExc_ValueError,
1342 "need at most %zd handles, got a sequence of length %zd",
1343 MAXIMUM_WAIT_OBJECTS - 1, nhandles);
1344 return NULL;
1345 }
1346 for (i = 0; i < nhandles; i++) {
1347 HANDLE h;
1348 PyObject *v = PySequence_GetItem(handle_seq, i);
1349 if (v == NULL)
1350 return NULL;
1351 if (!PyArg_Parse(v, F_HANDLE, &h)) {
1352 Py_DECREF(v);
1353 return NULL;
1354 }
1355 handles[i] = h;
1356 Py_DECREF(v);
1357 }
1358 /* If this is the main thread then make the wait interruptible
1359 by Ctrl-C unless we are waiting for *all* handles */
1360 if (!wait_flag && _PyOS_IsMainThread()) {
1361 sigint_event = _PyOS_SigintEvent();
1362 assert(sigint_event != NULL);
1363 handles[nhandles++] = sigint_event;
1364 }
1365
1366 Py_BEGIN_ALLOW_THREADS
1367 if (sigint_event != NULL)
1368 ResetEvent(sigint_event);
1369 result = WaitForMultipleObjects((DWORD) nhandles, handles,
1370 wait_flag, milliseconds);
1371 Py_END_ALLOW_THREADS
1372
1373 if (result == WAIT_FAILED)
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +03001374 return PyErr_SetExcFromWindowsErr(PyExc_OSError, 0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001375 else if (sigint_event != NULL && result == WAIT_OBJECT_0 + nhandles - 1) {
1376 errno = EINTR;
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +03001377 return PyErr_SetFromErrno(PyExc_OSError);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001378 }
1379
1380 return PyLong_FromLong((int) result);
1381}
1382
Zachary Waref2244ea2015-05-13 01:22:54 -05001383/*[clinic input]
1384_winapi.WaitForSingleObject -> long
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001385
Zachary Waref2244ea2015-05-13 01:22:54 -05001386 handle: HANDLE
1387 milliseconds: DWORD
1388 /
1389
1390Wait for a single object.
1391
1392Wait until the specified object is in the signaled state or
1393the time-out interval elapses. The timeout value is specified
1394in milliseconds.
1395[clinic start generated code]*/
1396
1397static long
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001398_winapi_WaitForSingleObject_impl(PyObject *module, HANDLE handle,
Zachary Ware77772c02015-05-13 10:58:35 -05001399 DWORD milliseconds)
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001400/*[clinic end generated code: output=3c4715d8f1b39859 input=443d1ab076edc7b1]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001401{
1402 DWORD result;
1403
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001404 Py_BEGIN_ALLOW_THREADS
1405 result = WaitForSingleObject(handle, milliseconds);
1406 Py_END_ALLOW_THREADS
1407
Zachary Waref2244ea2015-05-13 01:22:54 -05001408 if (result == WAIT_FAILED) {
1409 PyErr_SetFromWindowsErr(GetLastError());
1410 return -1;
1411 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001412
Zachary Waref2244ea2015-05-13 01:22:54 -05001413 return result;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001414}
1415
Zachary Waref2244ea2015-05-13 01:22:54 -05001416/*[clinic input]
1417_winapi.WriteFile
1418
1419 handle: HANDLE
1420 buffer: object
Serhiy Storchaka202fda52017-03-12 10:10:47 +02001421 overlapped as use_overlapped: bool(accept={int}) = False
Zachary Waref2244ea2015-05-13 01:22:54 -05001422[clinic start generated code]*/
1423
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001424static PyObject *
Serhiy Storchaka1a2b24f2016-07-07 17:35:15 +03001425_winapi_WriteFile_impl(PyObject *module, HANDLE handle, PyObject *buffer,
Zachary Ware77772c02015-05-13 10:58:35 -05001426 int use_overlapped)
Serhiy Storchaka202fda52017-03-12 10:10:47 +02001427/*[clinic end generated code: output=2ca80f6bf3fa92e3 input=11eae2a03aa32731]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001428{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001429 Py_buffer _buf, *buf;
Victor Stinner71765772013-06-24 23:13:24 +02001430 DWORD len, written;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001431 BOOL ret;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001432 DWORD err;
1433 OverlappedObject *overlapped = NULL;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001434
1435 if (use_overlapped) {
1436 overlapped = new_overlapped(handle);
1437 if (!overlapped)
1438 return NULL;
1439 buf = &overlapped->write_buffer;
1440 }
1441 else
1442 buf = &_buf;
1443
Zachary Waref2244ea2015-05-13 01:22:54 -05001444 if (!PyArg_Parse(buffer, "y*", buf)) {
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001445 Py_XDECREF(overlapped);
1446 return NULL;
1447 }
1448
1449 Py_BEGIN_ALLOW_THREADS
Victor Stinner71765772013-06-24 23:13:24 +02001450 len = (DWORD)Py_MIN(buf->len, DWORD_MAX);
1451 ret = WriteFile(handle, buf->buf, len, &written,
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001452 overlapped ? &overlapped->overlapped : NULL);
1453 Py_END_ALLOW_THREADS
1454
1455 err = ret ? 0 : GetLastError();
1456
1457 if (overlapped) {
1458 if (!ret) {
1459 if (err == ERROR_IO_PENDING)
1460 overlapped->pending = 1;
1461 else {
1462 Py_DECREF(overlapped);
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +03001463 return PyErr_SetExcFromWindowsErr(PyExc_OSError, 0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001464 }
1465 }
1466 return Py_BuildValue("NI", (PyObject *) overlapped, err);
1467 }
1468
1469 PyBuffer_Release(buf);
1470 if (!ret)
Serhiy Storchaka55fe1ae2017-04-16 10:46:38 +03001471 return PyErr_SetExcFromWindowsErr(PyExc_OSError, 0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001472 return Py_BuildValue("II", written, err);
1473}
1474
1475
1476static PyMethodDef winapi_functions[] = {
Zachary Waref2244ea2015-05-13 01:22:54 -05001477 _WINAPI_CLOSEHANDLE_METHODDEF
1478 _WINAPI_CONNECTNAMEDPIPE_METHODDEF
1479 _WINAPI_CREATEFILE_METHODDEF
1480 _WINAPI_CREATENAMEDPIPE_METHODDEF
1481 _WINAPI_CREATEPIPE_METHODDEF
1482 _WINAPI_CREATEPROCESS_METHODDEF
1483 _WINAPI_CREATEJUNCTION_METHODDEF
1484 _WINAPI_DUPLICATEHANDLE_METHODDEF
1485 _WINAPI_EXITPROCESS_METHODDEF
1486 _WINAPI_GETCURRENTPROCESS_METHODDEF
1487 _WINAPI_GETEXITCODEPROCESS_METHODDEF
1488 _WINAPI_GETLASTERROR_METHODDEF
1489 _WINAPI_GETMODULEFILENAME_METHODDEF
1490 _WINAPI_GETSTDHANDLE_METHODDEF
1491 _WINAPI_GETVERSION_METHODDEF
1492 _WINAPI_OPENPROCESS_METHODDEF
1493 _WINAPI_PEEKNAMEDPIPE_METHODDEF
1494 _WINAPI_READFILE_METHODDEF
1495 _WINAPI_SETNAMEDPIPEHANDLESTATE_METHODDEF
1496 _WINAPI_TERMINATEPROCESS_METHODDEF
1497 _WINAPI_WAITNAMEDPIPE_METHODDEF
1498 _WINAPI_WAITFORMULTIPLEOBJECTS_METHODDEF
1499 _WINAPI_WAITFORSINGLEOBJECT_METHODDEF
1500 _WINAPI_WRITEFILE_METHODDEF
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001501 {NULL, NULL}
1502};
1503
1504static struct PyModuleDef winapi_module = {
1505 PyModuleDef_HEAD_INIT,
1506 "_winapi",
1507 NULL,
1508 -1,
1509 winapi_functions,
1510 NULL,
1511 NULL,
1512 NULL,
1513 NULL
1514};
1515
1516#define WINAPI_CONSTANT(fmt, con) \
1517 PyDict_SetItemString(d, #con, Py_BuildValue(fmt, con))
1518
1519PyMODINIT_FUNC
1520PyInit__winapi(void)
1521{
1522 PyObject *d;
1523 PyObject *m;
1524
1525 if (PyType_Ready(&OverlappedType) < 0)
1526 return NULL;
1527
1528 m = PyModule_Create(&winapi_module);
1529 if (m == NULL)
1530 return NULL;
1531 d = PyModule_GetDict(m);
1532
1533 PyDict_SetItemString(d, "Overlapped", (PyObject *) &OverlappedType);
1534
1535 /* constants */
1536 WINAPI_CONSTANT(F_DWORD, CREATE_NEW_CONSOLE);
1537 WINAPI_CONSTANT(F_DWORD, CREATE_NEW_PROCESS_GROUP);
1538 WINAPI_CONSTANT(F_DWORD, DUPLICATE_SAME_ACCESS);
Antoine Pitrou5438ed12012-04-24 22:56:57 +02001539 WINAPI_CONSTANT(F_DWORD, DUPLICATE_CLOSE_SOURCE);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001540 WINAPI_CONSTANT(F_DWORD, ERROR_ALREADY_EXISTS);
1541 WINAPI_CONSTANT(F_DWORD, ERROR_BROKEN_PIPE);
1542 WINAPI_CONSTANT(F_DWORD, ERROR_IO_PENDING);
1543 WINAPI_CONSTANT(F_DWORD, ERROR_MORE_DATA);
1544 WINAPI_CONSTANT(F_DWORD, ERROR_NETNAME_DELETED);
1545 WINAPI_CONSTANT(F_DWORD, ERROR_NO_SYSTEM_RESOURCES);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001546 WINAPI_CONSTANT(F_DWORD, ERROR_MORE_DATA);
1547 WINAPI_CONSTANT(F_DWORD, ERROR_NETNAME_DELETED);
Richard Oudkerkfdb8dcf2012-05-05 19:45:37 +01001548 WINAPI_CONSTANT(F_DWORD, ERROR_NO_DATA);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001549 WINAPI_CONSTANT(F_DWORD, ERROR_NO_SYSTEM_RESOURCES);
1550 WINAPI_CONSTANT(F_DWORD, ERROR_OPERATION_ABORTED);
1551 WINAPI_CONSTANT(F_DWORD, ERROR_PIPE_BUSY);
1552 WINAPI_CONSTANT(F_DWORD, ERROR_PIPE_CONNECTED);
1553 WINAPI_CONSTANT(F_DWORD, ERROR_SEM_TIMEOUT);
1554 WINAPI_CONSTANT(F_DWORD, FILE_FLAG_FIRST_PIPE_INSTANCE);
1555 WINAPI_CONSTANT(F_DWORD, FILE_FLAG_OVERLAPPED);
Antoine Pitrou5438ed12012-04-24 22:56:57 +02001556 WINAPI_CONSTANT(F_DWORD, FILE_GENERIC_READ);
1557 WINAPI_CONSTANT(F_DWORD, FILE_GENERIC_WRITE);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001558 WINAPI_CONSTANT(F_DWORD, GENERIC_READ);
1559 WINAPI_CONSTANT(F_DWORD, GENERIC_WRITE);
1560 WINAPI_CONSTANT(F_DWORD, INFINITE);
1561 WINAPI_CONSTANT(F_DWORD, NMPWAIT_WAIT_FOREVER);
1562 WINAPI_CONSTANT(F_DWORD, OPEN_EXISTING);
1563 WINAPI_CONSTANT(F_DWORD, PIPE_ACCESS_DUPLEX);
1564 WINAPI_CONSTANT(F_DWORD, PIPE_ACCESS_INBOUND);
1565 WINAPI_CONSTANT(F_DWORD, PIPE_READMODE_MESSAGE);
1566 WINAPI_CONSTANT(F_DWORD, PIPE_TYPE_MESSAGE);
1567 WINAPI_CONSTANT(F_DWORD, PIPE_UNLIMITED_INSTANCES);
1568 WINAPI_CONSTANT(F_DWORD, PIPE_WAIT);
1569 WINAPI_CONSTANT(F_DWORD, PROCESS_ALL_ACCESS);
Antoine Pitrou5438ed12012-04-24 22:56:57 +02001570 WINAPI_CONSTANT(F_DWORD, PROCESS_DUP_HANDLE);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001571 WINAPI_CONSTANT(F_DWORD, STARTF_USESHOWWINDOW);
1572 WINAPI_CONSTANT(F_DWORD, STARTF_USESTDHANDLES);
1573 WINAPI_CONSTANT(F_DWORD, STD_INPUT_HANDLE);
1574 WINAPI_CONSTANT(F_DWORD, STD_OUTPUT_HANDLE);
1575 WINAPI_CONSTANT(F_DWORD, STD_ERROR_HANDLE);
1576 WINAPI_CONSTANT(F_DWORD, STILL_ACTIVE);
1577 WINAPI_CONSTANT(F_DWORD, SW_HIDE);
1578 WINAPI_CONSTANT(F_DWORD, WAIT_OBJECT_0);
Victor Stinner373f0a92014-03-20 09:26:55 +01001579 WINAPI_CONSTANT(F_DWORD, WAIT_ABANDONED_0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001580 WINAPI_CONSTANT(F_DWORD, WAIT_TIMEOUT);
1581
1582 WINAPI_CONSTANT("i", NULL);
1583
1584 return m;
1585}