blob: 3e7f18741fe8015dfda392d38146a3b95fe6a1c7 [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(
178 'if (_return_value == NULL)\n Py_RETURN_NONE;\n')
179 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]*/
191/*[python end generated code: output=da39a3ee5e6b4b0d input=374076979596ebba]*/
192
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;
227 return PyErr_SetExcFromWindowsErr(PyExc_IOError, err);
228 }
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)
279 return PyErr_SetExcFromWindowsErr(PyExc_IOError, 0);
280 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 *
Zachary Waref2244ea2015-05-13 01:22:54 -0500371_winapi_CloseHandle_impl(PyModuleDef *module, HANDLE handle)
372/*[clinic end generated code: output=0548595c71cb4bf7 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
390 overlapped as use_overlapped: int(c_default='0') = False
391[clinic start generated code]*/
392
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200393static PyObject *
Zachary Ware77772c02015-05-13 10:58:35 -0500394_winapi_ConnectNamedPipe_impl(PyModuleDef *module, HANDLE handle,
395 int use_overlapped)
396/*[clinic end generated code: output=fed3b165d1bca95a input=edc83da007ebf3be]*/
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
Zachary Ware77772c02015-05-13 10:58:35 -0500446_winapi_CreateFile_impl(PyModuleDef *module, LPCTSTR file_name,
447 DWORD desired_access, DWORD share_mode,
448 LPSECURITY_ATTRIBUTES security_attributes,
449 DWORD creation_disposition,
450 DWORD flags_and_attributes, HANDLE template_file)
451/*[clinic end generated code: output=c6e1d78f8affd10c 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 *
Zachary Ware77772c02015-05-13 10:58:35 -0500477_winapi_CreateJunction_impl(PyModuleDef *module, LPWSTR src_path,
478 LPWSTR dst_path)
479/*[clinic end generated code: output=eccae9364e46f6da 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;
489 PREPARSE_DATA_BUFFER rdb = NULL;
490
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 */
545 rdb_size = REPARSE_DATA_BUFFER_HEADER_SIZE +
546 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);
550 rdb = (PREPARSE_DATA_BUFFER)PyMem_RawMalloc(rdb_size);
551 if (rdb == NULL)
552 goto cleanup;
553
554 memset(rdb, 0, rdb_size);
555 rdb->ReparseTag = IO_REPARSE_TAG_MOUNT_POINT;
556 rdb->ReparseDataLength = rdb_size - REPARSE_DATA_BUFFER_HEADER_SIZE;
557 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
Zachary Ware77772c02015-05-13 10:58:35 -0500620_winapi_CreateNamedPipe_impl(PyModuleDef *module, LPCTSTR name,
621 DWORD open_mode, DWORD pipe_mode,
622 DWORD max_instances, DWORD out_buffer_size,
623 DWORD in_buffer_size, DWORD default_timeout,
624 LPSECURITY_ATTRIBUTES security_attributes)
625/*[clinic end generated code: output=44ca2a06a219b523 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 *
Zachary Ware77772c02015-05-13 10:58:35 -0500656_winapi_CreatePipe_impl(PyModuleDef *module, PyObject *pipe_attrs,
657 DWORD size)
658/*[clinic end generated code: output=fef99f3b4222bc78 input=c4f2cfa56ef68d90]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200659{
660 HANDLE read_pipe;
661 HANDLE write_pipe;
662 BOOL result;
663
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200664 Py_BEGIN_ALLOW_THREADS
665 result = CreatePipe(&read_pipe, &write_pipe, NULL, size);
666 Py_END_ALLOW_THREADS
667
668 if (! result)
669 return PyErr_SetFromWindowsErr(GetLastError());
670
671 return Py_BuildValue(
672 "NN", HANDLE_TO_PYNUM(read_pipe), HANDLE_TO_PYNUM(write_pipe));
673}
674
675/* helpers for createprocess */
676
677static unsigned long
678getulong(PyObject* obj, char* name)
679{
680 PyObject* value;
681 unsigned long ret;
682
683 value = PyObject_GetAttrString(obj, name);
684 if (! value) {
685 PyErr_Clear(); /* FIXME: propagate error? */
686 return 0;
687 }
688 ret = PyLong_AsUnsignedLong(value);
689 Py_DECREF(value);
690 return ret;
691}
692
693static HANDLE
694gethandle(PyObject* obj, char* name)
695{
696 PyObject* value;
697 HANDLE ret;
698
699 value = PyObject_GetAttrString(obj, name);
700 if (! value) {
701 PyErr_Clear(); /* FIXME: propagate error? */
702 return NULL;
703 }
704 if (value == Py_None)
705 ret = NULL;
706 else
707 ret = PYNUM_TO_HANDLE(value);
708 Py_DECREF(value);
709 return ret;
710}
711
712static PyObject*
713getenvironment(PyObject* environment)
714{
715 Py_ssize_t i, envsize, totalsize;
716 Py_UCS4 *buffer = NULL, *p, *end;
717 PyObject *keys, *values, *res;
718
Ezio Melotti85a86292013-08-17 16:57:41 +0300719 /* convert environment dictionary to windows environment string */
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200720 if (! PyMapping_Check(environment)) {
721 PyErr_SetString(
722 PyExc_TypeError, "environment must be dictionary or None");
723 return NULL;
724 }
725
726 envsize = PyMapping_Length(environment);
727
728 keys = PyMapping_Keys(environment);
729 values = PyMapping_Values(environment);
730 if (!keys || !values)
731 goto error;
732
733 totalsize = 1; /* trailing null character */
734 for (i = 0; i < envsize; i++) {
735 PyObject* key = PyList_GET_ITEM(keys, i);
736 PyObject* value = PyList_GET_ITEM(values, i);
737
738 if (! PyUnicode_Check(key) || ! PyUnicode_Check(value)) {
739 PyErr_SetString(PyExc_TypeError,
740 "environment can only contain strings");
741 goto error;
742 }
Benjamin Peterson8ce68062015-02-09 20:58:12 -0500743 if (totalsize > PY_SSIZE_T_MAX - PyUnicode_GET_LENGTH(key) - 1) {
744 PyErr_SetString(PyExc_OverflowError, "environment too long");
745 goto error;
746 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200747 totalsize += PyUnicode_GET_LENGTH(key) + 1; /* +1 for '=' */
Benjamin Peterson8ce68062015-02-09 20:58:12 -0500748 if (totalsize > PY_SSIZE_T_MAX - PyUnicode_GET_LENGTH(value) - 1) {
749 PyErr_SetString(PyExc_OverflowError, "environment too long");
750 goto error;
751 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200752 totalsize += PyUnicode_GET_LENGTH(value) + 1; /* +1 for '\0' */
753 }
754
Benjamin Peterson8ce68062015-02-09 20:58:12 -0500755 buffer = PyMem_NEW(Py_UCS4, totalsize);
756 if (! buffer) {
757 PyErr_NoMemory();
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200758 goto error;
Benjamin Peterson8ce68062015-02-09 20:58:12 -0500759 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200760 p = buffer;
761 end = buffer + totalsize;
762
763 for (i = 0; i < envsize; i++) {
764 PyObject* key = PyList_GET_ITEM(keys, i);
765 PyObject* value = PyList_GET_ITEM(values, i);
766 if (!PyUnicode_AsUCS4(key, p, end - p, 0))
767 goto error;
768 p += PyUnicode_GET_LENGTH(key);
769 *p++ = '=';
770 if (!PyUnicode_AsUCS4(value, p, end - p, 0))
771 goto error;
772 p += PyUnicode_GET_LENGTH(value);
773 *p++ = '\0';
774 }
775
776 /* add trailing null byte */
777 *p++ = '\0';
778 assert(p == end);
779
780 Py_XDECREF(keys);
781 Py_XDECREF(values);
782
783 res = PyUnicode_FromKindAndData(PyUnicode_4BYTE_KIND, buffer, p - buffer);
784 PyMem_Free(buffer);
785 return res;
786
787 error:
788 PyMem_Free(buffer);
789 Py_XDECREF(keys);
790 Py_XDECREF(values);
791 return NULL;
792}
793
Zachary Waref2244ea2015-05-13 01:22:54 -0500794/*[clinic input]
795_winapi.CreateProcess
796
Zachary Ware77772c02015-05-13 10:58:35 -0500797 application_name: Py_UNICODE(accept={str, NoneType})
798 command_line: Py_UNICODE(accept={str, NoneType})
Zachary Waref2244ea2015-05-13 01:22:54 -0500799 proc_attrs: object
800 Ignored internally, can be None.
801 thread_attrs: object
802 Ignored internally, can be None.
803 inherit_handles: BOOL
804 creation_flags: DWORD
805 env_mapping: object
Zachary Ware77772c02015-05-13 10:58:35 -0500806 current_directory: Py_UNICODE(accept={str, NoneType})
Zachary Waref2244ea2015-05-13 01:22:54 -0500807 startup_info: object
808 /
809
810Create a new process and its primary thread.
811
812The return value is a tuple of the process handle, thread handle,
813process ID, and thread ID.
814[clinic start generated code]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200815
816static PyObject *
Zachary Ware77772c02015-05-13 10:58:35 -0500817_winapi_CreateProcess_impl(PyModuleDef *module, Py_UNICODE *application_name,
818 Py_UNICODE *command_line, PyObject *proc_attrs,
819 PyObject *thread_attrs, BOOL inherit_handles,
820 DWORD creation_flags, PyObject *env_mapping,
821 Py_UNICODE *current_directory,
822 PyObject *startup_info)
823/*[clinic end generated code: output=874bb350ff9ed4ef input=4a43b05038d639bb]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200824{
825 BOOL result;
826 PROCESS_INFORMATION pi;
827 STARTUPINFOW si;
828 PyObject* environment;
829 wchar_t *wenvironment;
830
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200831 ZeroMemory(&si, sizeof(si));
832 si.cb = sizeof(si);
833
834 /* note: we only support a small subset of all SI attributes */
835 si.dwFlags = getulong(startup_info, "dwFlags");
836 si.wShowWindow = (WORD)getulong(startup_info, "wShowWindow");
837 si.hStdInput = gethandle(startup_info, "hStdInput");
838 si.hStdOutput = gethandle(startup_info, "hStdOutput");
839 si.hStdError = gethandle(startup_info, "hStdError");
840 if (PyErr_Occurred())
841 return NULL;
842
843 if (env_mapping != Py_None) {
844 environment = getenvironment(env_mapping);
845 if (! environment)
846 return NULL;
847 wenvironment = PyUnicode_AsUnicode(environment);
848 if (wenvironment == NULL)
849 {
850 Py_XDECREF(environment);
851 return NULL;
852 }
853 }
854 else {
855 environment = NULL;
856 wenvironment = NULL;
857 }
858
859 Py_BEGIN_ALLOW_THREADS
860 result = CreateProcessW(application_name,
861 command_line,
862 NULL,
863 NULL,
864 inherit_handles,
865 creation_flags | CREATE_UNICODE_ENVIRONMENT,
866 wenvironment,
867 current_directory,
868 &si,
869 &pi);
870 Py_END_ALLOW_THREADS
871
872 Py_XDECREF(environment);
873
874 if (! result)
875 return PyErr_SetFromWindowsErr(GetLastError());
876
877 return Py_BuildValue("NNkk",
878 HANDLE_TO_PYNUM(pi.hProcess),
879 HANDLE_TO_PYNUM(pi.hThread),
880 pi.dwProcessId,
881 pi.dwThreadId);
882}
883
Zachary Waref2244ea2015-05-13 01:22:54 -0500884/*[clinic input]
885_winapi.DuplicateHandle -> HANDLE
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200886
Zachary Waref2244ea2015-05-13 01:22:54 -0500887 source_process_handle: HANDLE
888 source_handle: HANDLE
889 target_process_handle: HANDLE
890 desired_access: DWORD
891 inherit_handle: BOOL
892 options: DWORD = 0
893 /
894
895Return a duplicate handle object.
896
897The duplicate handle refers to the same object as the original
898handle. Therefore, any changes to the object are reflected
899through both handles.
900[clinic start generated code]*/
901
902static HANDLE
Zachary Ware77772c02015-05-13 10:58:35 -0500903_winapi_DuplicateHandle_impl(PyModuleDef *module,
904 HANDLE source_process_handle,
905 HANDLE source_handle,
906 HANDLE target_process_handle,
907 DWORD desired_access, BOOL inherit_handle,
908 DWORD options)
909/*[clinic end generated code: output=0799515b68b5237b input=b933e3f2356a8c12]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200910{
911 HANDLE target_handle;
912 BOOL result;
913
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200914 Py_BEGIN_ALLOW_THREADS
915 result = DuplicateHandle(
916 source_process_handle,
917 source_handle,
918 target_process_handle,
919 &target_handle,
920 desired_access,
921 inherit_handle,
922 options
923 );
924 Py_END_ALLOW_THREADS
925
Zachary Waref2244ea2015-05-13 01:22:54 -0500926 if (! result) {
927 PyErr_SetFromWindowsErr(GetLastError());
928 return INVALID_HANDLE_VALUE;
929 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200930
Zachary Waref2244ea2015-05-13 01:22:54 -0500931 return target_handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200932}
933
Zachary Waref2244ea2015-05-13 01:22:54 -0500934/*[clinic input]
935_winapi.ExitProcess
936
937 ExitCode: UINT
938 /
939
940[clinic start generated code]*/
941
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200942static PyObject *
Zachary Waref2244ea2015-05-13 01:22:54 -0500943_winapi_ExitProcess_impl(PyModuleDef *module, UINT ExitCode)
944/*[clinic end generated code: output=25f3b499c24cedc8 input=4f05466a9406c558]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200945{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200946 #if defined(Py_DEBUG)
947 SetErrorMode(SEM_FAILCRITICALERRORS|SEM_NOALIGNMENTFAULTEXCEPT|
948 SEM_NOGPFAULTERRORBOX|SEM_NOOPENFILEERRORBOX);
949 _CrtSetReportMode(_CRT_ASSERT, _CRTDBG_MODE_DEBUG);
950 #endif
951
Zachary Waref2244ea2015-05-13 01:22:54 -0500952 ExitProcess(ExitCode);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200953
954 return NULL;
955}
956
Zachary Waref2244ea2015-05-13 01:22:54 -0500957/*[clinic input]
958_winapi.GetCurrentProcess -> HANDLE
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200959
Zachary Waref2244ea2015-05-13 01:22:54 -0500960Return a handle object for the current process.
961[clinic start generated code]*/
962
963static HANDLE
964_winapi_GetCurrentProcess_impl(PyModuleDef *module)
965/*[clinic end generated code: output=be29ac3ad5f8291e input=b213403fd4b96b41]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200966{
Zachary Waref2244ea2015-05-13 01:22:54 -0500967 return GetCurrentProcess();
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200968}
969
Zachary Waref2244ea2015-05-13 01:22:54 -0500970/*[clinic input]
971_winapi.GetExitCodeProcess -> DWORD
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200972
Zachary Waref2244ea2015-05-13 01:22:54 -0500973 process: HANDLE
974 /
975
976Return the termination status of the specified process.
977[clinic start generated code]*/
978
979static DWORD
980_winapi_GetExitCodeProcess_impl(PyModuleDef *module, HANDLE process)
981/*[clinic end generated code: output=0b10f0848a410f65 input=61b6bfc7dc2ee374]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200982{
983 DWORD exit_code;
984 BOOL result;
985
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200986 result = GetExitCodeProcess(process, &exit_code);
987
Zachary Waref2244ea2015-05-13 01:22:54 -0500988 if (! result) {
989 PyErr_SetFromWindowsErr(GetLastError());
990 exit_code = DWORD_MAX;
991 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200992
Zachary Waref2244ea2015-05-13 01:22:54 -0500993 return exit_code;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +0200994}
995
Zachary Waref2244ea2015-05-13 01:22:54 -0500996/*[clinic input]
997_winapi.GetLastError -> DWORD
998[clinic start generated code]*/
999
1000static DWORD
1001_winapi_GetLastError_impl(PyModuleDef *module)
1002/*[clinic end generated code: output=0ea00d8e67bdd056 input=62d47fb9bce038ba]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001003{
Zachary Waref2244ea2015-05-13 01:22:54 -05001004 return GetLastError();
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001005}
1006
Zachary Waref2244ea2015-05-13 01:22:54 -05001007/*[clinic input]
1008_winapi.GetModuleFileName
1009
1010 module_handle: HMODULE
1011 /
1012
1013Return the fully-qualified path for the file that contains module.
1014
1015The module must have been loaded by the current process.
1016
1017The module parameter should be a handle to the loaded module
1018whose path is being requested. If this parameter is 0,
1019GetModuleFileName retrieves the path of the executable file
1020of the current process.
1021[clinic start generated code]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001022
1023static PyObject *
Zachary Waref2244ea2015-05-13 01:22:54 -05001024_winapi_GetModuleFileName_impl(PyModuleDef *module, HMODULE module_handle)
1025/*[clinic end generated code: output=90063dc63bdbfa18 input=6d66ff7deca5d11f]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001026{
1027 BOOL result;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001028 WCHAR filename[MAX_PATH];
1029
Zachary Waref2244ea2015-05-13 01:22:54 -05001030 result = GetModuleFileNameW(module_handle, filename, MAX_PATH);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001031 filename[MAX_PATH-1] = '\0';
1032
1033 if (! result)
1034 return PyErr_SetFromWindowsErr(GetLastError());
1035
1036 return PyUnicode_FromWideChar(filename, wcslen(filename));
1037}
1038
Zachary Waref2244ea2015-05-13 01:22:54 -05001039/*[clinic input]
1040_winapi.GetStdHandle -> HANDLE
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001041
Zachary Waref2244ea2015-05-13 01:22:54 -05001042 std_handle: DWORD
1043 One of STD_INPUT_HANDLE, STD_OUTPUT_HANDLE, or STD_ERROR_HANDLE.
1044 /
1045
1046Return a handle to the specified standard device.
1047
1048The integer associated with the handle object is returned.
1049[clinic start generated code]*/
1050
1051static HANDLE
1052_winapi_GetStdHandle_impl(PyModuleDef *module, DWORD std_handle)
1053/*[clinic end generated code: output=5f5ca28b28c6fad2 input=07016b06a2fc8826]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001054{
1055 HANDLE handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001056
1057 Py_BEGIN_ALLOW_THREADS
1058 handle = GetStdHandle(std_handle);
1059 Py_END_ALLOW_THREADS
1060
1061 if (handle == INVALID_HANDLE_VALUE)
Zachary Waref2244ea2015-05-13 01:22:54 -05001062 PyErr_SetFromWindowsErr(GetLastError());
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001063
Zachary Waref2244ea2015-05-13 01:22:54 -05001064 return handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001065}
1066
Zachary Waref2244ea2015-05-13 01:22:54 -05001067/*[clinic input]
1068_winapi.GetVersion -> long
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001069
Zachary Waref2244ea2015-05-13 01:22:54 -05001070Return the version number of the current operating system.
1071[clinic start generated code]*/
1072
1073static long
1074_winapi_GetVersion_impl(PyModuleDef *module)
1075/*[clinic end generated code: output=95a2f8ad3b948ca8 input=e21dff8d0baeded2]*/
Steve Dower3e96f322015-03-02 08:01:10 -08001076/* Disable deprecation warnings about GetVersionEx as the result is
1077 being passed straight through to the caller, who is responsible for
1078 using it correctly. */
1079#pragma warning(push)
1080#pragma warning(disable:4996)
1081
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001082{
Zachary Waref2244ea2015-05-13 01:22:54 -05001083 return GetVersion();
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001084}
1085
Steve Dower3e96f322015-03-02 08:01:10 -08001086#pragma warning(pop)
1087
Zachary Waref2244ea2015-05-13 01:22:54 -05001088/*[clinic input]
1089_winapi.OpenProcess -> HANDLE
1090
1091 desired_access: DWORD
1092 inherit_handle: BOOL
1093 process_id: DWORD
1094 /
1095[clinic start generated code]*/
1096
1097static HANDLE
Zachary Ware77772c02015-05-13 10:58:35 -05001098_winapi_OpenProcess_impl(PyModuleDef *module, DWORD desired_access,
1099 BOOL inherit_handle, DWORD process_id)
1100/*[clinic end generated code: output=6bc52eda82a3d226 input=ec98c4cf4ea2ec36]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001101{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001102 HANDLE handle;
1103
Zachary Waref2244ea2015-05-13 01:22:54 -05001104 handle = OpenProcess(desired_access, inherit_handle, process_id);
1105 if (handle == NULL) {
1106 PyErr_SetFromWindowsErr(0);
1107 handle = INVALID_HANDLE_VALUE;
1108 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001109
Zachary Waref2244ea2015-05-13 01:22:54 -05001110 return handle;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001111}
1112
Zachary Waref2244ea2015-05-13 01:22:54 -05001113/*[clinic input]
1114_winapi.PeekNamedPipe
1115
1116 handle: HANDLE
1117 size: int = 0
1118 /
1119[clinic start generated code]*/
1120
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001121static PyObject *
Zachary Waref2244ea2015-05-13 01:22:54 -05001122_winapi_PeekNamedPipe_impl(PyModuleDef *module, HANDLE handle, int size)
1123/*[clinic end generated code: output=e6c908e2fb63c798 input=c7aa53bfbce69d70]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001124{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001125 PyObject *buf = NULL;
1126 DWORD nread, navail, nleft;
1127 BOOL ret;
1128
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001129 if (size < 0) {
1130 PyErr_SetString(PyExc_ValueError, "negative size");
1131 return NULL;
1132 }
1133
1134 if (size) {
1135 buf = PyBytes_FromStringAndSize(NULL, size);
1136 if (!buf)
1137 return NULL;
1138 Py_BEGIN_ALLOW_THREADS
1139 ret = PeekNamedPipe(handle, PyBytes_AS_STRING(buf), size, &nread,
1140 &navail, &nleft);
1141 Py_END_ALLOW_THREADS
1142 if (!ret) {
1143 Py_DECREF(buf);
1144 return PyErr_SetExcFromWindowsErr(PyExc_IOError, 0);
1145 }
1146 if (_PyBytes_Resize(&buf, nread))
1147 return NULL;
1148 return Py_BuildValue("Nii", buf, navail, nleft);
1149 }
1150 else {
1151 Py_BEGIN_ALLOW_THREADS
1152 ret = PeekNamedPipe(handle, NULL, 0, NULL, &navail, &nleft);
1153 Py_END_ALLOW_THREADS
1154 if (!ret) {
1155 return PyErr_SetExcFromWindowsErr(PyExc_IOError, 0);
1156 }
1157 return Py_BuildValue("ii", navail, nleft);
1158 }
1159}
1160
Zachary Waref2244ea2015-05-13 01:22:54 -05001161/*[clinic input]
1162_winapi.ReadFile
1163
1164 handle: HANDLE
1165 size: int
1166 overlapped as use_overlapped: int(c_default='0') = False
1167[clinic start generated code]*/
1168
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001169static PyObject *
Zachary Ware77772c02015-05-13 10:58:35 -05001170_winapi_ReadFile_impl(PyModuleDef *module, HANDLE handle, int size,
1171 int use_overlapped)
1172/*[clinic end generated code: output=d7695db4db97b135 input=8dd810194e86ac7d]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001173{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001174 DWORD nread;
1175 PyObject *buf;
1176 BOOL ret;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001177 DWORD err;
1178 OverlappedObject *overlapped = NULL;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001179
1180 buf = PyBytes_FromStringAndSize(NULL, size);
1181 if (!buf)
1182 return NULL;
1183 if (use_overlapped) {
1184 overlapped = new_overlapped(handle);
1185 if (!overlapped) {
1186 Py_DECREF(buf);
1187 return NULL;
1188 }
1189 /* Steals reference to buf */
1190 overlapped->read_buffer = buf;
1191 }
1192
1193 Py_BEGIN_ALLOW_THREADS
1194 ret = ReadFile(handle, PyBytes_AS_STRING(buf), size, &nread,
1195 overlapped ? &overlapped->overlapped : NULL);
1196 Py_END_ALLOW_THREADS
1197
1198 err = ret ? 0 : GetLastError();
1199
1200 if (overlapped) {
1201 if (!ret) {
1202 if (err == ERROR_IO_PENDING)
1203 overlapped->pending = 1;
1204 else if (err != ERROR_MORE_DATA) {
1205 Py_DECREF(overlapped);
1206 return PyErr_SetExcFromWindowsErr(PyExc_IOError, 0);
1207 }
1208 }
1209 return Py_BuildValue("NI", (PyObject *) overlapped, err);
1210 }
1211
1212 if (!ret && err != ERROR_MORE_DATA) {
1213 Py_DECREF(buf);
1214 return PyErr_SetExcFromWindowsErr(PyExc_IOError, 0);
1215 }
1216 if (_PyBytes_Resize(&buf, nread))
1217 return NULL;
1218 return Py_BuildValue("NI", buf, err);
1219}
1220
Zachary Waref2244ea2015-05-13 01:22:54 -05001221/*[clinic input]
1222_winapi.SetNamedPipeHandleState
1223
1224 named_pipe: HANDLE
1225 mode: object
1226 max_collection_count: object
1227 collect_data_timeout: object
1228 /
1229[clinic start generated code]*/
1230
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001231static PyObject *
Zachary Ware77772c02015-05-13 10:58:35 -05001232_winapi_SetNamedPipeHandleState_impl(PyModuleDef *module, HANDLE named_pipe,
1233 PyObject *mode,
1234 PyObject *max_collection_count,
1235 PyObject *collect_data_timeout)
1236/*[clinic end generated code: output=25aa3c28dee223ce input=9142d72163d0faa6]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001237{
Zachary Waref2244ea2015-05-13 01:22:54 -05001238 PyObject *oArgs[3] = {mode, max_collection_count, collect_data_timeout};
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001239 DWORD dwArgs[3], *pArgs[3] = {NULL, NULL, NULL};
1240 int i;
1241
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001242 PyErr_Clear();
1243
1244 for (i = 0 ; i < 3 ; i++) {
1245 if (oArgs[i] != Py_None) {
1246 dwArgs[i] = PyLong_AsUnsignedLongMask(oArgs[i]);
1247 if (PyErr_Occurred())
1248 return NULL;
1249 pArgs[i] = &dwArgs[i];
1250 }
1251 }
1252
Zachary Waref2244ea2015-05-13 01:22:54 -05001253 if (!SetNamedPipeHandleState(named_pipe, pArgs[0], pArgs[1], pArgs[2]))
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001254 return PyErr_SetFromWindowsErr(0);
1255
1256 Py_RETURN_NONE;
1257}
1258
Zachary Waref2244ea2015-05-13 01:22:54 -05001259
1260/*[clinic input]
1261_winapi.TerminateProcess
1262
1263 handle: HANDLE
1264 exit_code: UINT
1265 /
1266
1267Terminate the specified process and all of its threads.
1268[clinic start generated code]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001269
1270static PyObject *
Zachary Ware77772c02015-05-13 10:58:35 -05001271_winapi_TerminateProcess_impl(PyModuleDef *module, HANDLE handle,
1272 UINT exit_code)
1273/*[clinic end generated code: output=937c1bb6219aca8b input=d6bc0aa1ee3bb4df]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001274{
1275 BOOL result;
1276
Zachary Waref2244ea2015-05-13 01:22:54 -05001277 result = TerminateProcess(handle, exit_code);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001278
1279 if (! result)
1280 return PyErr_SetFromWindowsErr(GetLastError());
1281
Zachary Waref2244ea2015-05-13 01:22:54 -05001282 Py_RETURN_NONE;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001283}
1284
Zachary Waref2244ea2015-05-13 01:22:54 -05001285/*[clinic input]
1286_winapi.WaitNamedPipe
1287
1288 name: LPCTSTR
1289 timeout: DWORD
1290 /
1291[clinic start generated code]*/
1292
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001293static PyObject *
Zachary Waref2244ea2015-05-13 01:22:54 -05001294_winapi_WaitNamedPipe_impl(PyModuleDef *module, LPCTSTR name, DWORD timeout)
1295/*[clinic end generated code: output=5bca5e02f448c9d7 input=36fc781291b1862c]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001296{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001297 BOOL success;
1298
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001299 Py_BEGIN_ALLOW_THREADS
Zachary Waref2244ea2015-05-13 01:22:54 -05001300 success = WaitNamedPipe(name, timeout);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001301 Py_END_ALLOW_THREADS
1302
1303 if (!success)
1304 return PyErr_SetFromWindowsErr(0);
1305
1306 Py_RETURN_NONE;
1307}
1308
Zachary Waref2244ea2015-05-13 01:22:54 -05001309/*[clinic input]
1310_winapi.WaitForMultipleObjects
1311
1312 handle_seq: object
1313 wait_flag: BOOL
1314 milliseconds: DWORD(c_default='INFINITE') = _winapi.INFINITE
1315 /
1316[clinic start generated code]*/
1317
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001318static PyObject *
Zachary Ware77772c02015-05-13 10:58:35 -05001319_winapi_WaitForMultipleObjects_impl(PyModuleDef *module,
1320 PyObject *handle_seq, BOOL wait_flag,
1321 DWORD milliseconds)
1322/*[clinic end generated code: output=acb440728d06d130 input=36f76ca057cd28a0]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001323{
1324 DWORD result;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001325 HANDLE handles[MAXIMUM_WAIT_OBJECTS];
1326 HANDLE sigint_event = NULL;
1327 Py_ssize_t nhandles, i;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001328
1329 if (!PySequence_Check(handle_seq)) {
1330 PyErr_Format(PyExc_TypeError,
1331 "sequence type expected, got '%s'",
Richard Oudkerk67339272012-08-21 14:54:22 +01001332 Py_TYPE(handle_seq)->tp_name);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001333 return NULL;
1334 }
1335 nhandles = PySequence_Length(handle_seq);
1336 if (nhandles == -1)
1337 return NULL;
1338 if (nhandles < 0 || nhandles >= MAXIMUM_WAIT_OBJECTS - 1) {
1339 PyErr_Format(PyExc_ValueError,
1340 "need at most %zd handles, got a sequence of length %zd",
1341 MAXIMUM_WAIT_OBJECTS - 1, nhandles);
1342 return NULL;
1343 }
1344 for (i = 0; i < nhandles; i++) {
1345 HANDLE h;
1346 PyObject *v = PySequence_GetItem(handle_seq, i);
1347 if (v == NULL)
1348 return NULL;
1349 if (!PyArg_Parse(v, F_HANDLE, &h)) {
1350 Py_DECREF(v);
1351 return NULL;
1352 }
1353 handles[i] = h;
1354 Py_DECREF(v);
1355 }
1356 /* If this is the main thread then make the wait interruptible
1357 by Ctrl-C unless we are waiting for *all* handles */
1358 if (!wait_flag && _PyOS_IsMainThread()) {
1359 sigint_event = _PyOS_SigintEvent();
1360 assert(sigint_event != NULL);
1361 handles[nhandles++] = sigint_event;
1362 }
1363
1364 Py_BEGIN_ALLOW_THREADS
1365 if (sigint_event != NULL)
1366 ResetEvent(sigint_event);
1367 result = WaitForMultipleObjects((DWORD) nhandles, handles,
1368 wait_flag, milliseconds);
1369 Py_END_ALLOW_THREADS
1370
1371 if (result == WAIT_FAILED)
1372 return PyErr_SetExcFromWindowsErr(PyExc_IOError, 0);
1373 else if (sigint_event != NULL && result == WAIT_OBJECT_0 + nhandles - 1) {
1374 errno = EINTR;
1375 return PyErr_SetFromErrno(PyExc_IOError);
1376 }
1377
1378 return PyLong_FromLong((int) result);
1379}
1380
Zachary Waref2244ea2015-05-13 01:22:54 -05001381/*[clinic input]
1382_winapi.WaitForSingleObject -> long
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001383
Zachary Waref2244ea2015-05-13 01:22:54 -05001384 handle: HANDLE
1385 milliseconds: DWORD
1386 /
1387
1388Wait for a single object.
1389
1390Wait until the specified object is in the signaled state or
1391the time-out interval elapses. The timeout value is specified
1392in milliseconds.
1393[clinic start generated code]*/
1394
1395static long
Zachary Ware77772c02015-05-13 10:58:35 -05001396_winapi_WaitForSingleObject_impl(PyModuleDef *module, HANDLE handle,
1397 DWORD milliseconds)
1398/*[clinic end generated code: output=34ae40c269749c48 input=443d1ab076edc7b1]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001399{
1400 DWORD result;
1401
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001402 Py_BEGIN_ALLOW_THREADS
1403 result = WaitForSingleObject(handle, milliseconds);
1404 Py_END_ALLOW_THREADS
1405
Zachary Waref2244ea2015-05-13 01:22:54 -05001406 if (result == WAIT_FAILED) {
1407 PyErr_SetFromWindowsErr(GetLastError());
1408 return -1;
1409 }
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001410
Zachary Waref2244ea2015-05-13 01:22:54 -05001411 return result;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001412}
1413
Zachary Waref2244ea2015-05-13 01:22:54 -05001414/*[clinic input]
1415_winapi.WriteFile
1416
1417 handle: HANDLE
1418 buffer: object
1419 overlapped as use_overlapped: int(c_default='0') = False
1420[clinic start generated code]*/
1421
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001422static PyObject *
Zachary Ware77772c02015-05-13 10:58:35 -05001423_winapi_WriteFile_impl(PyModuleDef *module, HANDLE handle, PyObject *buffer,
1424 int use_overlapped)
1425/*[clinic end generated code: output=65e70ea41f4d2a1d input=51846a5af52053fd]*/
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001426{
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001427 Py_buffer _buf, *buf;
Victor Stinner71765772013-06-24 23:13:24 +02001428 DWORD len, written;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001429 BOOL ret;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001430 DWORD err;
1431 OverlappedObject *overlapped = NULL;
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001432
1433 if (use_overlapped) {
1434 overlapped = new_overlapped(handle);
1435 if (!overlapped)
1436 return NULL;
1437 buf = &overlapped->write_buffer;
1438 }
1439 else
1440 buf = &_buf;
1441
Zachary Waref2244ea2015-05-13 01:22:54 -05001442 if (!PyArg_Parse(buffer, "y*", buf)) {
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001443 Py_XDECREF(overlapped);
1444 return NULL;
1445 }
1446
1447 Py_BEGIN_ALLOW_THREADS
Victor Stinner71765772013-06-24 23:13:24 +02001448 len = (DWORD)Py_MIN(buf->len, DWORD_MAX);
1449 ret = WriteFile(handle, buf->buf, len, &written,
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001450 overlapped ? &overlapped->overlapped : NULL);
1451 Py_END_ALLOW_THREADS
1452
1453 err = ret ? 0 : GetLastError();
1454
1455 if (overlapped) {
1456 if (!ret) {
1457 if (err == ERROR_IO_PENDING)
1458 overlapped->pending = 1;
1459 else {
1460 Py_DECREF(overlapped);
1461 return PyErr_SetExcFromWindowsErr(PyExc_IOError, 0);
1462 }
1463 }
1464 return Py_BuildValue("NI", (PyObject *) overlapped, err);
1465 }
1466
1467 PyBuffer_Release(buf);
1468 if (!ret)
1469 return PyErr_SetExcFromWindowsErr(PyExc_IOError, 0);
1470 return Py_BuildValue("II", written, err);
1471}
1472
1473
1474static PyMethodDef winapi_functions[] = {
Zachary Waref2244ea2015-05-13 01:22:54 -05001475 _WINAPI_CLOSEHANDLE_METHODDEF
1476 _WINAPI_CONNECTNAMEDPIPE_METHODDEF
1477 _WINAPI_CREATEFILE_METHODDEF
1478 _WINAPI_CREATENAMEDPIPE_METHODDEF
1479 _WINAPI_CREATEPIPE_METHODDEF
1480 _WINAPI_CREATEPROCESS_METHODDEF
1481 _WINAPI_CREATEJUNCTION_METHODDEF
1482 _WINAPI_DUPLICATEHANDLE_METHODDEF
1483 _WINAPI_EXITPROCESS_METHODDEF
1484 _WINAPI_GETCURRENTPROCESS_METHODDEF
1485 _WINAPI_GETEXITCODEPROCESS_METHODDEF
1486 _WINAPI_GETLASTERROR_METHODDEF
1487 _WINAPI_GETMODULEFILENAME_METHODDEF
1488 _WINAPI_GETSTDHANDLE_METHODDEF
1489 _WINAPI_GETVERSION_METHODDEF
1490 _WINAPI_OPENPROCESS_METHODDEF
1491 _WINAPI_PEEKNAMEDPIPE_METHODDEF
1492 _WINAPI_READFILE_METHODDEF
1493 _WINAPI_SETNAMEDPIPEHANDLESTATE_METHODDEF
1494 _WINAPI_TERMINATEPROCESS_METHODDEF
1495 _WINAPI_WAITNAMEDPIPE_METHODDEF
1496 _WINAPI_WAITFORMULTIPLEOBJECTS_METHODDEF
1497 _WINAPI_WAITFORSINGLEOBJECT_METHODDEF
1498 _WINAPI_WRITEFILE_METHODDEF
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001499 {NULL, NULL}
1500};
1501
1502static struct PyModuleDef winapi_module = {
1503 PyModuleDef_HEAD_INIT,
1504 "_winapi",
1505 NULL,
1506 -1,
1507 winapi_functions,
1508 NULL,
1509 NULL,
1510 NULL,
1511 NULL
1512};
1513
1514#define WINAPI_CONSTANT(fmt, con) \
1515 PyDict_SetItemString(d, #con, Py_BuildValue(fmt, con))
1516
1517PyMODINIT_FUNC
1518PyInit__winapi(void)
1519{
1520 PyObject *d;
1521 PyObject *m;
1522
1523 if (PyType_Ready(&OverlappedType) < 0)
1524 return NULL;
1525
1526 m = PyModule_Create(&winapi_module);
1527 if (m == NULL)
1528 return NULL;
1529 d = PyModule_GetDict(m);
1530
1531 PyDict_SetItemString(d, "Overlapped", (PyObject *) &OverlappedType);
1532
1533 /* constants */
1534 WINAPI_CONSTANT(F_DWORD, CREATE_NEW_CONSOLE);
1535 WINAPI_CONSTANT(F_DWORD, CREATE_NEW_PROCESS_GROUP);
1536 WINAPI_CONSTANT(F_DWORD, DUPLICATE_SAME_ACCESS);
Antoine Pitrou5438ed12012-04-24 22:56:57 +02001537 WINAPI_CONSTANT(F_DWORD, DUPLICATE_CLOSE_SOURCE);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001538 WINAPI_CONSTANT(F_DWORD, ERROR_ALREADY_EXISTS);
1539 WINAPI_CONSTANT(F_DWORD, ERROR_BROKEN_PIPE);
1540 WINAPI_CONSTANT(F_DWORD, ERROR_IO_PENDING);
1541 WINAPI_CONSTANT(F_DWORD, ERROR_MORE_DATA);
1542 WINAPI_CONSTANT(F_DWORD, ERROR_NETNAME_DELETED);
1543 WINAPI_CONSTANT(F_DWORD, ERROR_NO_SYSTEM_RESOURCES);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001544 WINAPI_CONSTANT(F_DWORD, ERROR_MORE_DATA);
1545 WINAPI_CONSTANT(F_DWORD, ERROR_NETNAME_DELETED);
Richard Oudkerkfdb8dcf2012-05-05 19:45:37 +01001546 WINAPI_CONSTANT(F_DWORD, ERROR_NO_DATA);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001547 WINAPI_CONSTANT(F_DWORD, ERROR_NO_SYSTEM_RESOURCES);
1548 WINAPI_CONSTANT(F_DWORD, ERROR_OPERATION_ABORTED);
1549 WINAPI_CONSTANT(F_DWORD, ERROR_PIPE_BUSY);
1550 WINAPI_CONSTANT(F_DWORD, ERROR_PIPE_CONNECTED);
1551 WINAPI_CONSTANT(F_DWORD, ERROR_SEM_TIMEOUT);
1552 WINAPI_CONSTANT(F_DWORD, FILE_FLAG_FIRST_PIPE_INSTANCE);
1553 WINAPI_CONSTANT(F_DWORD, FILE_FLAG_OVERLAPPED);
Antoine Pitrou5438ed12012-04-24 22:56:57 +02001554 WINAPI_CONSTANT(F_DWORD, FILE_GENERIC_READ);
1555 WINAPI_CONSTANT(F_DWORD, FILE_GENERIC_WRITE);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001556 WINAPI_CONSTANT(F_DWORD, GENERIC_READ);
1557 WINAPI_CONSTANT(F_DWORD, GENERIC_WRITE);
1558 WINAPI_CONSTANT(F_DWORD, INFINITE);
1559 WINAPI_CONSTANT(F_DWORD, NMPWAIT_WAIT_FOREVER);
1560 WINAPI_CONSTANT(F_DWORD, OPEN_EXISTING);
1561 WINAPI_CONSTANT(F_DWORD, PIPE_ACCESS_DUPLEX);
1562 WINAPI_CONSTANT(F_DWORD, PIPE_ACCESS_INBOUND);
1563 WINAPI_CONSTANT(F_DWORD, PIPE_READMODE_MESSAGE);
1564 WINAPI_CONSTANT(F_DWORD, PIPE_TYPE_MESSAGE);
1565 WINAPI_CONSTANT(F_DWORD, PIPE_UNLIMITED_INSTANCES);
1566 WINAPI_CONSTANT(F_DWORD, PIPE_WAIT);
1567 WINAPI_CONSTANT(F_DWORD, PROCESS_ALL_ACCESS);
Antoine Pitrou5438ed12012-04-24 22:56:57 +02001568 WINAPI_CONSTANT(F_DWORD, PROCESS_DUP_HANDLE);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001569 WINAPI_CONSTANT(F_DWORD, STARTF_USESHOWWINDOW);
1570 WINAPI_CONSTANT(F_DWORD, STARTF_USESTDHANDLES);
1571 WINAPI_CONSTANT(F_DWORD, STD_INPUT_HANDLE);
1572 WINAPI_CONSTANT(F_DWORD, STD_OUTPUT_HANDLE);
1573 WINAPI_CONSTANT(F_DWORD, STD_ERROR_HANDLE);
1574 WINAPI_CONSTANT(F_DWORD, STILL_ACTIVE);
1575 WINAPI_CONSTANT(F_DWORD, SW_HIDE);
1576 WINAPI_CONSTANT(F_DWORD, WAIT_OBJECT_0);
Victor Stinner373f0a92014-03-20 09:26:55 +01001577 WINAPI_CONSTANT(F_DWORD, WAIT_ABANDONED_0);
Antoine Pitrou23bba4c2012-04-18 20:51:15 +02001578 WINAPI_CONSTANT(F_DWORD, WAIT_TIMEOUT);
1579
1580 WINAPI_CONSTANT("i", NULL);
1581
1582 return m;
1583}