ReactOS 0.4.15-dev-7788-g1ad9096
wcstombs-tests.c File Reference
#include <windows.h>
#include <stdio.h>
#include <stdlib.h>
#include <locale.h>
#include <errno.h>
Include dependency graph for wcstombs-tests.c:

Go to the source code of this file.

Macros

#define SETLOCALE(locale)
 
#define OK(condition, fail_message, ...)
 

Functions

void CRT_Tests ()
 
void Win32_Tests (LPBOOL bUsedDefaultChar)
 
int main ()
 

Variables

char mbc
 
char mbs [5]
 
int ret
 
wchar_t wc1 = 228
 
wchar_t wc2 = 1088
 
wchar_t wcs [5] = {'T', 'h', 1088, 'i', 0}
 
wchar_t dbwcs [3] = {28953, 25152, 0}
 

Macro Definition Documentation

◆ OK

#define OK (   condition,
  fail_message,
  ... 
)
Value:
if(!(condition)) \
printf("%d: " fail_message "\n", __LINE__, ##__VA_ARGS__);
GLenum condition
Definition: glext.h:9255

Definition at line 24 of file wcstombs-tests.c.

◆ SETLOCALE

#define SETLOCALE (   locale)
Value:
loc = setlocale(LC_ALL, locale); \
if(!loc) \
{ \
puts("setlocale failed for " locale ", this locale is probably not installed on your system"); \
return; \
}
Definition: _locale.h:75
#define LC_ALL
Definition: locale.h:17
#define setlocale(n, s)
Definition: locale.h:46

Definition at line 16 of file wcstombs-tests.c.

Function Documentation

◆ CRT_Tests()

void CRT_Tests ( )

Definition at line 38 of file wcstombs-tests.c.

39{
40 char* loc;
41
42 puts("CRT-Tests");
43 puts("---------");
44
45 /* Current locale is "C", wcstombs should return the length of the input buffer without the terminating null character */
46 ret = wcstombs(NULL, dbwcs, 0);
47 OK(ret == 2, "ret is %d", ret);
48
50 OK(ret == -1, "ret is %d", ret);
51 OK(mbs[0] == 0, "mbs[0] is %d", mbs[0]);
52 OK(errno == EILSEQ, "errno is %d", errno);
53
54 ret = wcstombs(NULL, wcs, 0);
55 OK(ret == 4, "ret is %d", ret);
56
57 ret = wcstombs(mbs, wcs, ret);
58 OK(ret == -1, "ret is %d", ret);
59 OK(!strcmp(mbs, "Th"), "mbs is %s", mbs);
60 OK(errno == EILSEQ, "errno is %d", errno);
61
62 ret = wctomb(&mbc, wcs[0]);
63 OK(ret == 1, "ret is %d", ret);
64 OK(mbc == 84, "mbc is %d", mbc);
65
66 mbc = 84;
67 ret = wcstombs(&mbc, &dbwcs[0], 1);
68 OK(ret == -1, "ret is %d", ret);
69 OK(mbc == 84, "mbc is %d", mbc);
70
71 ret = wcstombs(mbs, wcs, 0);
72 OK(ret == 0, "ret is %d", ret);
73
74 /* The length for the null character (in any locale) is 0, but if you pass a variable, it will be set to 0 and wctomb returns 1 */
75 ret = wctomb(NULL, 0);
76 OK(ret == 0, "ret is %d", ret);
77
78 ret = wctomb(&mbc, 0);
79 OK(ret == 1, "ret is %d", ret);
80 OK(mbc == 0, "mbc is %d", mbc);
81
82 /* msvcr80.dll and later versions of CRT change mbc in the following call back to 0, msvcrt.dll from WinXP SP2 leaves it untouched */
83 mbc = 84;
84 ret = wctomb(&mbc, dbwcs[0]);
85 OK(ret == -1, "ret is %d", ret);
86 OK(errno == EILSEQ, "errno is %d", errno);
87 OK(mbc == 84, "mbc is %d", mbc);
88
89 /* With a real locale, -1 also becomes a possible return value in case of an invalid character */
90 SETLOCALE("German");
91 ret = wcstombs(NULL, dbwcs, 0);
92 OK(ret == -1, "ret is %d", ret);
93 OK(errno == EILSEQ, "errno is %d", errno);
94
95 ret = wcstombs(NULL, wcs, 2);
96 OK(ret == -1, "ret is %d", ret);
97 OK(errno == EILSEQ, "errno is %d", errno);
98
99 /* Test if explicitly setting the locale back to "C" also leads to the same results as above */
100 SETLOCALE("C");
101
102 ret = wcstombs(NULL, dbwcs, 0);
103 OK(ret == 2, "ret is %d", ret);
104
105 ret = wcstombs(NULL, wcs, 0);
106 OK(ret == 4, "ret is %d", ret);
107
108 /* Test wctomb() as well */
109 SETLOCALE("English");
110
111 ret = wctomb(&mbc, wc1);
112 OK(ret == 1, "ret is %d", ret);
113 OK(mbc == -28, "mbc is %d", mbc);
114
115 ret = wctomb(&mbc, wc2);
116 OK(ret == -1, "ret is %d", ret);
117 OK(errno == EILSEQ, "errno is %d", errno);
118 OK(mbc == 63, "mbc is %d", mbc);
119
120 SETLOCALE("Russian");
121
122 ret = wcstombs(mbs, wcs, sizeof(mbs));
123 OK(ret == 4, "ret is %d", ret);
124 OK(!strcmp(mbs, "Thði"), "mbs is %s", mbs);
125
126 ret = wctomb(&mbc, wc2);
127 OK(ret == 1, "ret is %d", ret);
128 OK(mbc == -16, "mbc is %d", mbc);
129
130 ret = wctomb(&mbc, wc1);
131 OK(ret == 1, "ret is %d", ret);
132 OK(mbc == 97, "mbc is %d", mbc);
133
134 SETLOCALE("English");
135
136 ret = wcstombs(&mbc, wcs, 1);
137 OK(ret == 1, "ret is %d", ret);
138 OK(mbc == 84, "mbc is %d", mbc);
139
140 ZeroMemory(mbs, sizeof(mbs));
141 ret = wcstombs(mbs, wcs, sizeof(mbs));
142 OK(ret == -1, "ret is %d", ret);
143 OK(errno == EILSEQ, "errno is %d", errno);
144 OK(!strcmp(mbs, "Th?i"), "mbs is %s", mbs);
145 mbs[0] = 0;
146
147 /* wcstombs mustn't add any null character automatically.
148 So in this case, we should get the same string again, even if we only copied the first three bytes. */
149 ret = wcstombs(mbs, wcs, 3);
150 OK(ret == -1, "ret is %d", ret);
151 OK(errno == EILSEQ, "errno is %d", errno);
152 OK(!strcmp(mbs, "Th?i"), "mbs is %s", mbs);
153 ZeroMemory(mbs, 5);
154
155 /* Now this shouldn't be the case like above as we zeroed the complete string buffer. */
156 ret = wcstombs(mbs, wcs, 3);
157 OK(ret == -1, "ret is %d", ret);
158 OK(errno == EILSEQ, "errno is %d", errno);
159 OK(!strcmp(mbs, "Th?"), "mbs is %s", mbs);
160
161 /* Double-byte tests */
162 SETLOCALE("Chinese");
163 ret = wcstombs(mbs, dbwcs, sizeof(mbs));
164 OK(ret == 4, "ret is %d", ret);
165 OK(!strcmp(mbs, "µH©Ò"), "mbs is %s", mbs);
166 ZeroMemory(mbs, 5);
167
168 /* Length-only tests */
169 SETLOCALE("English");
170 ret = wcstombs(NULL, wcs, 0);
171 OK(ret == -1, "ret is %d", ret);
172 OK(errno == EILSEQ, "errno is %d", errno);
173
174 SETLOCALE("Chinese");
175 ret = wcstombs(NULL, dbwcs, 0);
176 OK(ret == 4, "ret is %d", ret);
177
178 /* This call causes an ERROR_INSUFFICIENT_BUFFER in the called WideCharToMultiByte function.
179 For some reason, wcstombs under Windows doesn't reset the last error to the previous value here, so we can check for ERROR_INSUFFICIENT_BUFFER with GetLastError().
180 This could also be seen as an indication that Windows uses WideCharToMultiByte internally for wcstombs. */
181 ret = wcstombs(mbs, dbwcs, 1);
182 OK(ret == 0, "ret is %d", ret);
183 OK(mbs[0] == 0, "mbs[0] is %d", mbs[0]);
184
185 /* ERROR_INSUFFICIENT_BUFFER is also the result of this call with SBCS characters. WTF?!
186 Anyway this is a Win32 error not related to the CRT, so we leave out this criteria. */
187 ret = wcstombs(mbs, wcs, 1);
188 OK(ret == 1, "ret is %d", ret);
189 OK(mbs[0] == 84, "mbs[0] is %d", mbs[0]);
190
191 putchar('\n');
192}
int strcmp(const char *String1, const char *String2)
Definition: utclib.c:469
int puts(const char *string)
Definition: crtsupp.c:23
int putchar(int c)
Definition: crtsupp.c:12
#define NULL
Definition: types.h:112
size_t __cdecl wcstombs(_Out_writes_opt_z_(_MaxCount) char *_Dest, _In_z_ const wchar_t *_Source, _In_ size_t _MaxCount)
#define errno
Definition: errno.h:18
#define EILSEQ
Definition: errno.h:109
#define wctomb(cp, wc)
Definition: wchar.h:161
char mbs[5]
#define OK(condition, fail_message,...)
wchar_t dbwcs[3]
int ret
#define SETLOCALE(locale)
char mbc
wchar_t wc1
wchar_t wcs[5]
wchar_t wc2
#define ZeroMemory
Definition: winbase.h:1712

Referenced by main().

◆ main()

int main ( void  )

Definition at line 357 of file wcstombs-tests.c.

358{
359 BOOL UsedDefaultChar;
360
361 CRT_Tests();
362
363 /* There are two code pathes in WideCharToMultiByte, one when Flags || DefaultChar || UsedDefaultChar is set and one when it's not.
364 Test both here. */
366 Win32_Tests(&UsedDefaultChar);
367
368 return 0;
369}
unsigned int BOOL
Definition: ntddk_ex.h:94
void CRT_Tests()
void Win32_Tests(LPBOOL bUsedDefaultChar)

◆ Win32_Tests()

void Win32_Tests ( LPBOOL  bUsedDefaultChar)

Definition at line 194 of file wcstombs-tests.c.

195{
196 SetLastError(0xdeadbeef);
197
198 puts("Win32-Tests");
199 puts("-----------");
200
201 ret = WideCharToMultiByte(1252, 0, &wc1, 1, &mbc, 1, NULL, bUsedDefaultChar);
202 OK(ret == 1, "ret is %d", ret);
203 OK(mbc == -28, "mbc is %d", mbc);
204 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
205 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
206
207 ret = WideCharToMultiByte(1252, 0, &wc2, 1, &mbc, 1, NULL, bUsedDefaultChar);
208 OK(ret == 1, "ret is %d", ret);
209 OK(mbc == 63, "mbc is %d", mbc);
210 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
211 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
212
213 ret = WideCharToMultiByte(1251, 0, &wc2, 1, &mbc, 1, NULL, bUsedDefaultChar);
214 OK(ret == 1, "ret is %d", ret);
215 OK(mbc == -16, "mbc is %d", mbc);
216 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
217 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
218
219 ret = WideCharToMultiByte(1251, 0, &wc1, 1, &mbc, 1, NULL, bUsedDefaultChar);
220 OK(ret == 1, "ret is %d", ret);
221 OK(mbc == 97, "mbc is %d", mbc);
222 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
223 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
224
225 /* The behaviour for this character is different when WC_NO_BEST_FIT_CHARS is used */
226 ret = WideCharToMultiByte(1251, WC_NO_BEST_FIT_CHARS, &wc1, 1, &mbc, 1, NULL, bUsedDefaultChar);
227 OK(ret == 1, "ret is %d", ret);
228 OK(mbc == 63, "mbc is %d", mbc);
229 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
230 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
231
232 ret = WideCharToMultiByte(1252, 0, dbwcs, -1, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
233 OK(ret == 3, "ret is %d", ret);
234 OK(!strcmp(mbs, "??"), "mbs is %s", mbs);
235 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
236 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
237 ZeroMemory(mbs, 5);
238
239 ret = WideCharToMultiByte(1252, WC_NO_BEST_FIT_CHARS, dbwcs, -1, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
240 OK(ret == 3, "ret is %d", ret);
241 OK(!strcmp(mbs, "??"), "mbs is %s", mbs);
242 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
243 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
244
245 /* This call triggers the last Win32 error */
246 ret = WideCharToMultiByte(1252, 0, wcs, -1, &mbc, 1, NULL, bUsedDefaultChar);
247 OK(ret == 0, "ret is %d", ret);
248 OK(mbc == 84, "mbc is %d", mbc);
249 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
250 OK(GetLastError() == ERROR_INSUFFICIENT_BUFFER, "GetLastError() is %lu", GetLastError());
251 SetLastError(0xdeadbeef);
252
253 ret = WideCharToMultiByte(1252, 0, wcs, -1, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
254 OK(ret == 5, "ret is %d", ret);
255 OK(!strcmp(mbs, "Th?i"), "mbs is %s", mbs);
256 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
257 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
258 mbs[0] = 0;
259
260 /* WideCharToMultiByte mustn't add any null character automatically.
261 So in this case, we should get the same string again, even if we only copied the first three bytes. */
262 ret = WideCharToMultiByte(1252, 0, wcs, 3, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
263 OK(ret == 3, "ret is %d", ret);
264 OK(!strcmp(mbs, "Th?i"), "mbs is %s", mbs);
265 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
266 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
267 ZeroMemory(mbs, 5);
268
269 /* Now this shouldn't be the case like above as we zeroed the complete string buffer. */
270 ret = WideCharToMultiByte(1252, 0, wcs, 3, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
271 OK(ret == 3, "ret is %d", ret);
272 OK(!strcmp(mbs, "Th?"), "mbs is %s", mbs);
273 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
274 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
275
276 /* Chinese codepage tests
277 Swapping the WC_NO_BEST_FIT_CHARS and 0 tests causes bUsedDefaultChar to be set to TRUE in the following test, which quits with ERROR_INSUFFICIENT_BUFFER.
278 But as it isn't documented whether all other variables are undefined if ERROR_INSUFFICIENT_BUFFER is set, we skip this behaviour. */
279 ret = WideCharToMultiByte(950, WC_NO_BEST_FIT_CHARS, &wc1, 1, &mbc, 1, NULL, bUsedDefaultChar);
280 OK(ret == 1, "ret is %d", ret);
281 OK(mbc == 63, "mbc is %d", mbc);
282 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
283 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
284
285 ret = WideCharToMultiByte(950, 0, &wc1, 1, &mbc, 1, NULL, bUsedDefaultChar);
286 OK(ret == 1, "ret is %d", ret);
287 OK(mbc == 97, "mbc is %d", mbc);
288 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
289 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
290
291 /* Double-byte tests */
292 ret = WideCharToMultiByte(950, 0, dbwcs, -1, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
293 OK(ret == 5, "ret is %d", ret);
294 OK(!strcmp(mbs, "µH©Ò"), "mbs is %s", mbs);
295 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
296 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
297
298 ret = WideCharToMultiByte(950, 0, dbwcs, 1, &mbc, 1, NULL, bUsedDefaultChar);
299 OK(ret == 0, "ret is %d", ret);
300 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
301 OK(GetLastError() == ERROR_INSUFFICIENT_BUFFER, "GetLastError() is %lu", GetLastError());
302 SetLastError(0xdeadbeef);
303 ZeroMemory(mbs, 5);
304
305 ret = WideCharToMultiByte(950, 0, dbwcs, 1, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
306 OK(ret == 2, "ret is %d", ret);
307 OK(!strcmp(mbs, "µH"), "mbs is %s", mbs);
308 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
309 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
310
311 /* Length-only tests */
312 ret = WideCharToMultiByte(1252, 0, &wc2, 1, NULL, 0, NULL, bUsedDefaultChar);
313 OK(ret == 1, "ret is %d", ret);
314 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
315 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
316
317 ret = WideCharToMultiByte(1252, 0, wcs, -1, NULL, 0, NULL, bUsedDefaultChar);
318 OK(ret == 5, "ret is %d", ret);
319 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
320 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
321
322 ret = WideCharToMultiByte(950, 0, dbwcs, 1, NULL, 0, NULL, bUsedDefaultChar);
323 OK(ret == 2, "ret is %d", ret);
324 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
325 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
326
327 ret = WideCharToMultiByte(950, 0, dbwcs, -1, NULL, 0, NULL, bUsedDefaultChar);
328 OK(ret == 5, "ret is %d", ret);
329 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
330 OK(GetLastError() == 0xdeadbeef, "GetLastError() is %lu", GetLastError());
331
332 /* Abnormal uses of WideCharToMultiByte */
333 ret = WideCharToMultiByte(1252, 0, NULL, 5, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
334 OK(ret == 0, "ret is %d", ret);
335 if(bUsedDefaultChar) OK(*bUsedDefaultChar == FALSE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
336 OK(GetLastError() == ERROR_INVALID_PARAMETER, "GetLastError() is %lu", GetLastError());
337 SetLastError(0xdeadbeef);
338
339 ret = WideCharToMultiByte(0, 0, dbwcs, 5, mbs, sizeof(mbs), NULL, bUsedDefaultChar);
340 OK(ret == 5, "ret is %d", ret);
341 OK(!strcmp(mbs, "??"), "mbs is %s", mbs);
342 if(bUsedDefaultChar) OK(*bUsedDefaultChar == TRUE, "bUsedDefaultChar is %d", *bUsedDefaultChar);
343
344 ret = WideCharToMultiByte(1252, 0, wcs, -1, (LPSTR)wcs, 5, NULL, bUsedDefaultChar);
345 OK(ret == 0, "ret is %d", ret);
346 OK(GetLastError() == ERROR_INVALID_PARAMETER, "GetLastError() is %lu", GetLastError());
347 SetLastError(0xdeadbeef);
348
349 ret = WideCharToMultiByte(1252, 0, wcs, -1, mbs, -1, NULL, bUsedDefaultChar);
350 OK(ret == 0, "ret is %d", ret);
351 OK(GetLastError() == ERROR_INVALID_PARAMETER, "GetLastError() is %lu", GetLastError());
352 SetLastError(0xdeadbeef);
353
354 putchar('\n');
355}
#define ERROR_INSUFFICIENT_BUFFER
Definition: dderror.h:10
#define TRUE
Definition: types.h:120
#define FALSE
Definition: types.h:117
#define ERROR_INVALID_PARAMETER
Definition: compat.h:101
#define SetLastError(x)
Definition: compat.h:752
#define WideCharToMultiByte
Definition: compat.h:111
#define WC_NO_BEST_FIT_CHARS
Definition: unicode.h:46
DWORD WINAPI GetLastError(void)
Definition: except.c:1042
char * LPSTR
Definition: xmlstorage.h:182

Referenced by main().

Variable Documentation

◆ dbwcs

wchar_t dbwcs[3] = {28953, 25152, 0}

Definition at line 35 of file wcstombs-tests.c.

Referenced by CRT_Tests(), test_string_conversion(), and Win32_Tests().

◆ mbc

◆ mbs

◆ ret

int ret

Definition at line 31 of file wcstombs-tests.c.

Referenced by $endif(), ___malloc(), ___mexval(), ___realloc(), ___savestr(), __file_size(), __FindExecutableImageExW(), __GetLCID(), __HeapAlloc(), __inbyte(), __indword(), __inword(), __rpc_get_local_uid(), __rpc_taddr2uaddr_af(), __rpc_uaddr2taddr_af(), __xmlRandom(), _bittestandcomplement(), _bittestandreset(), _bittestandset(), _BtrFsSearchTree(), _callnewh(), _check_item(), _chsize_s(), _clone_node(), _close(), _close_request(), _commit(), _configthreadlocale(), CFSDropTarget::_CopyItems(), _copyNetResourceForEnumW(), _copyPackageInfoFlatAToW(), _copyPackageInfoFlatWToA(), _countProviderBytesW(), _create_process(), _createConnectedEnumerator(), _createContextEnumerator(), _createGlobalEnumeratorW(), _createProviderEnumerator(), _createRememberedEnumerator(), _delete_testfontfile(), ATL::CRegKey::_DoDeleteKeyTree(), _dup(), _dup2(), _enumerateConnectedW(), _enumerateContextW(), _enumerateGlobalPassthroughW(), _enumerateGlobalW(), _enumerateProvidersW(), _enumeratorRememberedW(), _errptr(), _fdopen(), _fetch_versioninfo(), _findProviderIndexW(), _fseeki64(), _fsopen(), _fstat(), _fstat32(), _fstat32i64(), _fstati64(), _ftime_s(), _Function_class_(), _get_attr2_iface(), _get_button_iface(), _get_doc_node(), _get_iframe2_iface(), _get_label_iface(), _get_link_iface(), _get_metaelem_iface(), _get_tzname(), ATL::CImage::_getAllDecoders(), ATL::CImage::_getAllEncoders(), _getargs(), _Gettnames(), _GetWndproc(), _GetWndprocA(), _ILCreateControlPanel(), _ILCreateDesktop(), _ILCreatePrinters(), _ILGetFileDate(), _ILIsPidlSimple(), _ILParsePathW(), _ILReadFromSharedMemory(), _Locale_strcmp(), _locking(), _lzget(), basic_istream< char, char_traits< char > >::_M_skip_whitespace(), _mbsnbcpy(), _mbsncpy(), _niwrite(), _pipe(), _putws(), _range_duplicate(), _read_expect_sync_data_len(), _read_request_data(), _readex_expect_async(), _readex_expect_sync_data_len(), _receive_simple_request(), _SEH2Except(), _SEH2FrameHandler(), _SEHFrameHandler(), _set_purecall_handler(), _setmbcp_l(), _setmode(), _SHExpandEnvironmentStrings(), _SHGetUserShellFolderPath(), _SHRegisterFolders(), _sopen_s(), _Strftime(), _strtoi64_l(), _strtoul_l(), _strxfrm_l(), _test_accounting(), _test_assigned_proc(), _test_border_styles(), _test_completion(), _test_elem_getelembytag(), _test_get_dispid(), _test_hkey_main_Value_A(), _test_hkey_main_Value_W(), _texecl(), _texecle(), _texeclp(), _texeclpe(), _thunkNetResourceArrayAToW(), _thunkNetResourceArrayWToA(), _TIFFFindFieldByName(), LocaleTest::_time_put_get(), _tmain(), _tpopen(), _tryLoadProvider(), _tspawnl(), _tspawnle(), _tspawnlp(), _tspawnlpe(), _tspawnv(), _tspawnve(), _tstat(), _tstati64(), _tWinMain(), _tzset(), _vscprintf_wrapper(), _vscwprintf_wrapper(), _vsnprintf_s(), _vsnwprintf_s_wrapper(), _vsnwprintf_wrapper(), _vsprintf_p_wrapper(), _vswprintf_c_l_wrapper(), _vswprintf_c_wrapper(), _vswprintf_l_wrapper(), _vswprintf_p_l_wrapper(), _vswprintf_wrapper(), _wcsdup(), _wcsnset(), _wcsrev(), _wcsset(), _wcstoi64_l(), _wcstoui64_l(), _WLocale_ctype(), _WLocale_strcmp(), a2bstr(), a2co(), a2w(), aa_colorref(), ABCWidths_helper(), AboutProtocolFactory_CreateInstance(), AcceptSecurityContext(), accumulating_stream_output(), acmDriverOpen(), acmFilterEnumW(), acmFormatChooseA(), acmFormatEnumW(), acmStreamClose(), acmStreamConvert(), acmStreamOpen(), acmStreamPrepareHeader(), acmStreamReset(), acmStreamSize(), acmStreamUnprepareHeader(), acpi_disable_wakeup_device_power(), acpi_enable_wakeup_device_power(), AcquireCredentialsHandleA(), AcquireCredentialsHandleW(), activate_context(), ActivateThemeFile(), ActiveIMMApp_Release(), add_cert_to_store(), add_entry_to_lb(), add_eval(), add_host_header(), add_ident(), add_line_to_buffer(), add_log_points(), add_match(), add_mf_comment(), add_points(), add_purpose_dlg_proc(), add_request_headers(), add_tbs_to_menu(), Icon::add_to_imagelist(), add_with_alpha(), AddCredentialsA(), AddCredentialsW(), AddDriverToList(), AddERExcludedApplicationA(), AddJobA(), AddKnownDriverToList(), AddMRUStringA(), CNetConnectionPropertyUi::AddPages(), AddPrinterA(), AddProvider(), advance_stream(), AEV_SetMute(), alloc_array(), alloc_authinfo(), alloc_bool(), alloc_bstr(), alloc_element(), alloc_enumerator(), alloc_error(), alloc_handle(), alloc_inf_info(), alloc_instr(), alloc_match_state(), alloc_msi_remote_handle(), alloc_msihandle(), alloc_number(), alloc_object(), alloc_protref(), alloc_regexp(), alloc_str_from_narrow(), alloc_vbarray(), alloc_vbscode(), StackAllocator< _Tp >::allocate(), allocate_buffer(), allocate_information_node(), allocate_property_information(), AllocateAndGetIfTableFromStack(), AllocateAndGetIpAddrTableFromStack(), AllocateAndGetIpForwardTableFromStack(), AllocateAndGetIpNetTableFromStack(), AllocateAndGetTcpExTable2FromStack(), AllocateAndGetTcpExTableFromStack(), AllocateAndGetTcpTableFromStack(), AllocateAndGetUdpExTable2FromStack(), AllocateAndGetUdpExTableFromStack(), AllocateAndGetUdpTableFromStack(), alpha_blend_image(), ATL::CImage::AlphaBlend(), AnsiToUnicode(), apartment_release(), append_file_test(), append_path(), Applet(), Applet1(), apply_substorage_transform(), ApplyControlToken(), ApplyPatchToFileA(), ApplyPatchToFileW(), arc4random(), ArcGetRelativeTime(), arcLoopToDLineLoop(), arcToDLine(), arcToMultDLines(), are_all_privileges_disabled(), areBlanks(), array_access(), Array_concat(), array_join(), Array_shift(), array_to_args(), asprintf(), assembly_get_external_files(), assign_file_addresses(), AssociateColorProfileWithDeviceA(), astollb(), AtlCreateRegistrar(), AtlModuleExtractCreateWndData(), atoi2(), atowstr(), attempt_line_merge(), authorize_request(), auxGetDevCapsA(), AVICompressor_GetPin(), AVISaveA(), AVISaveOptions(), AVISaveOptionsFmtChoose(), AVISaveW(), Base64AnyToBinaryA(), Base64AnyToBinaryW(), Base64HeaderToBinaryA(), Base64HeaderToBinaryW(), Base64RequestHeaderToBinaryA(), Base64RequestHeaderToBinaryW(), Base64WithHeaderAndTrailerToBinaryA(), Base64WithHeaderAndTrailerToBinaryW(), Base64X509HeaderToBinaryA(), Base64X509HeaderToBinaryW(), BaseCheckAppcompatCache(), BaseControlWindowImpl_SetWindowForeground(), BaseVerifyDnsName(), Batch(), bc_add(), BeginUpdateResourceA(), BeginUpdateResourceW(), bezierPatchEval(), bezierPatchEvalNormal(), bezierPatchMake(), bezierPatchMake2(), bezierPatchMeshListReverse(), bezierPatchMeshMake(), bezierPatchMeshMake2(), bezierSurfEval(), bezierSurfEvalDerGen(), bin_search(), bin_to_DLineLoops(), BinaryFileCompare(), BinaryToBase64A(), BinaryToBase64W(), bind_script_to_text(), bind_url(), BindFunction_toString(), Binding_Create(), CShellItem::BindToHandler(), ATL::CImage::BitBlt(), BitmapDecoderInfo_Constructor(), BitmapEncoderInfo_Constructor(), blob_to_str(), BLOBComp(), BmpDecoder_Construct(), BmpEncoder_CreateInstance(), BrsFolder_OnChange(), bstr_from_str(), btrfs_lookup_inode_ref(), buffer_check_attribute(), buffer_find_decl(), buffer_process_converted_attribute(), buffer_sync_apple(), buffer_to_str(), buffered_fullread(), build_absolute_request_path(), build_antecedent_query(), build_ascii_request(), build_assembly_dir(), build_assembly_id(), build_assembly_name(), build_assoc_query(), build_canonical_path(), build_default_format(), build_dirname(), build_glob(), build_keylist(), build_local_assembly_path(), build_manifest_filename(), build_manifest_path(), build_msiexec_args(), build_multi_string_value(), build_name(), build_namespace(), build_path(), build_policy_filename(), build_policy_name(), build_policy_path(), build_properties(), build_proplist(), build_proxy_connect_string(), build_query_string(), build_relpath(), build_request_string(), build_resource_string(), build_response_header(), build_server(), build_signature_table_name(), build_transforms(), build_uri(), build_wire_path(), build_wire_request(), build_wpad_url(), BuildCommDCBAndTimeoutsA(), BuildParameterArray(), Builtin_Invoke(), button_hook_proc(), button_subclass_proc(), BUTTON_WindowProc(), C1_OnButtonUp(), C1_OnImeControl(), cache_container_clean_index(), cache_container_delete_dir(), cache_container_open_index(), cache_containers_enum(), cache_containers_find(), cache_entry_exists(), call_script(), call_test(), call_varargs(), call_winverify(), callback_child(), can_do_https(), CShellDispatch::CanStartStopService(), CascadeWindows(), CategoryMgr_Release(), CATIDEnumGUID_Construct(), CRecycleBinEnum::CBEnumRecycleBin(), CBindStatusCallback_AddRef(), CBindStatusCallback_Release(), CBSearchRecycleBin(), CContentEncryptInfo_Construct(), CDataEncodeMsg_GetParam(), CDataEncodeMsg_Update(), CDecodeEnvelopedMsg_CrtlDecrypt(), CDecodeEnvelopedMsg_GetParam(), CDecodeHashMsg_GetParam(), CDecodeHashMsg_VerifyHash(), CDecodeMsg_Control(), CDecodeMsg_CopyData(), CDecodeMsg_DecodeContent(), CDecodeMsg_DecodeDataContent(), CDecodeMsg_DecodeEnvelopedContent(), CDecodeMsg_DecodeHashedContent(), CDecodeMsg_DecodeSignedContent(), CDecodeMsg_FinalizeContent(), CDecodeMsg_FinalizeHashedContent(), CDecodeMsg_FinalizeSignedContent(), CDecodeMsg_GetParam(), CDecodeMsg_Update(), CDecodeSignedMsg_GetParam(), CDecodeSignedMsg_VerifySignature(), CDecodeSignedMsg_VerifySignatureEx(), CDecodeSignedMsg_VerifySignatureWithKey(), CEnvelopedEncodeMsg_GetParam(), CEnvelopedEncodeMsg_Open(), CEnvelopedEncodeMsg_Update(), cert_compare_certs_in_store(), cert_get_name_from_rdn_attr(), cert_name_to_str_with_indent(), CertAddCRLContextToStore(), CertAddCTLContextToStore(), CertAddEncodedCertificateToStore(), CertAddEncodedCertificateToSystemStoreA(), CertAddEncodedCertificateToSystemStoreW(), CertAddEncodedCRLToStore(), CertAddEncodedCTLToStore(), CertAddEnhancedKeyUsageIdentifier(), CertAddSerializedElementToStore(), CertAddStoreToCollection(), CertAlgIdToOID(), CertCompareCertificate(), CertCompareCertificateName(), CertCompareIntegerBlob(), CertComparePublicKeyInfo(), CertContext_CopyParam(), CertContext_GetHashProp(), CertContext_GetProperty(), CertContext_SetKeyProvInfo(), CertContext_SetKeyProvInfoProperty(), CertContext_SetProperty(), CertControlStore(), CertCreateCertificateChainEngine(), CertCreateCertificateContext(), CertCreateCRLContext(), CertCreateCTLContext(), CertCreateSelfSignCertificate(), CertDeleteCRLFromStore(), CertDeleteCTLFromStore(), CertEnumCertificateContextProperties(), CertEnumCertificatesInStore(), CertEnumCRLsInStore(), CertEnumCTLContextProperties(), CertEnumCTLsInStore(), CertEnumSystemStore(), CertFindAttribute(), CertFindCertificateInStore(), CertFindCRLInStore(), CertFindCTLInStore(), CertFindExtension(), CertFindRDNAttr(), CertGetCertificateChain(), CertGetCertificateContextProperty(), CertGetCRLContextProperty(), CertGetCRLFromStore(), CertGetCTLContextProperty(), CertGetEnhancedKeyUsage(), CertGetIntendedKeyUsage(), CertGetIssuerCertificateFromStore(), CertGetNameStringA(), CertGetNameStringW(), CertGetPublicKeyLength(), CertGetStoreProperty(), CertGetValidUsages(), CertIsRDNAttrsInCertificateName(), CertIsValidCRLForCertificate(), CertNameToStrA(), CertNameToStrW(), CertOIDToAlgId(), CertRDNValueToStrA(), CertRDNValueToStrW(), CertRemoveEnhancedKeyUsageIdentifier(), CertSaveStore(), CertSetCertificateContextProperty(), CertSetCRLContextProperty(), CertSetCTLContextProperty(), CertSetEnhancedKeyUsage(), CertSetStoreProperty(), CertStrToNameA(), CertStrToNameW(), CertTrustFinalPolicy(), CertTrustInit(), CertVerifyCertificateChainPolicy(), CertVerifyCRLTimeValidity(), CertVerifyRevocation(), CertVerifyTimeValidity(), CertViewPropertiesA(), CertViewPropertiesW(), CFn_GetDC(), CFSExtractIcon_CreateInstance(), CGuidItemExtractIcon_CreateInstance(), CharLowerBuffW(), CharUpperBuffW(), CHashEncodeMsg_GetParam(), CHashEncodeMsg_Update(), check_actctx(), check_and_store_certs(), check_binary_file_data(), check_color_table(), check_context_type(), check_cursor_data(), check_dc_state(), check_device_iface_(), check_device_info_(), check_dialog_style(), check_dirid(), check_dotnet20(), check_error_(), check_filter(), check_font(), check_iml_data(), check_implicit_ipv4(), check_info_filename(), check_ini_file_attr(), check_known_folder(), check_lb_state_dbg(), check_mask(), check_menu_item_info(), check_menu_items(), check_native_ie(), check_orderarray(), check_param(), check_pe_exe(), check_reg_entries(), check_store_context_type(), check_StretchDIBits_stretch(), check_update_rgn_(), check_user_privs(), check_version(), check_vertical_font(), check_vertical_metrics(), check_wellknown_name(), checkChainPolicyStatus(), CheckCloseMenuAvailable(), checkCRLHash(), CheckDeviceInstallParameters(), CheckForCurrentHostname(), checkHash(), CheckMlngInfo(), CheckSectionValid(), child_proc(), child_process(), ChooseColorA(), ClassFactory_Create(), ClassFactory_CreateInstance(), ClassFactory_Release(), ClassFactoryImpl_Constructor(), cleanup_attachments(), cleanup_gcc_dll(), cleanup_msvc_dll(), cleanup_tests(), clear_frontbuffer(), clear_ftype_and_state(), ClearDeviceStatus(), click_menu(), CliGetImeHotKeysFromRegistry(), CliImmSetHotKey(), clip_emf_enum_proc(), clipboard_thread(), clipboard_wnd_proc(), CLIPFORMAT_UserSize(), ClipThread(), CliSaveImeHotKey(), Close(), close_http(), close_request(), CloseColorProfile(), CloseDriver(), ClrCreateManagedInstance(), CLSIDEnumGUID_Construct(), CLSIDFromString(), CM_Add_Empty_Log_Conf_Ex(), CM_Add_ID_ExA(), CM_Add_ID_ExW(), CM_Add_Range(), CM_Connect_MachineA(), CM_Create_DevNode_ExA(), CM_Create_DevNode_ExW(), CM_Delete_Class_Key_Ex(), CM_Delete_DevNode_Key_Ex(), CM_Disable_DevNode_Ex(), CM_Enable_DevNode_Ex(), CM_Enumerate_Classes_Ex(), CM_Enumerate_Enumerators_ExA(), CM_Enumerate_Enumerators_ExW(), CM_First_Range(), CM_Free_Log_Conf_Ex(), CM_Get_Child_Ex(), CM_Get_Class_Key_Name_ExA(), CM_Get_Class_Name_ExA(), CM_Get_Class_Name_ExW(), CM_Get_Class_Registry_PropertyA(), CM_Get_Class_Registry_PropertyW(), CM_Get_Depth_Ex(), CM_Get_Device_ID_ExA(), CM_Get_Device_ID_List_ExA(), CM_Get_Device_ID_List_ExW(), CM_Get_Device_ID_List_Size_ExA(), CM_Get_Device_ID_List_Size_ExW(), CM_Get_Device_Interface_Alias_ExW(), CM_Get_Device_Interface_List_ExA(), CM_Get_Device_Interface_List_ExW(), CM_Get_Device_Interface_List_Size_ExA(), CM_Get_Device_Interface_List_Size_ExW(), CM_Get_DevNode_Custom_Property_ExA(), CM_Get_DevNode_Custom_Property_ExW(), CM_Get_DevNode_Registry_Property_ExA(), CM_Get_DevNode_Registry_Property_ExW(), CM_Get_DevNode_Status_Ex(), CM_Get_First_Log_Conf_Ex(), CM_Get_Global_State_Ex(), CM_Get_Hardware_Profile_Info_ExA(), CM_Get_Hardware_Profile_Info_ExW(), CM_Get_HW_Prof_Flags_ExA(), CM_Get_HW_Prof_Flags_ExW(), CM_Get_Log_Conf_Priority_Ex(), CM_Get_Next_Log_Conf_Ex(), CM_Get_Next_Res_Des_Ex(), CM_Get_Parent_Ex(), CM_Get_Sibling_Ex(), CM_Get_Version_Ex(), CM_Is_Dock_Station_Present_Ex(), CM_Is_Version_Available_Ex(), CM_Locate_DevNode_ExA(), CM_Locate_DevNode_ExW(), CM_Move_DevNode_Ex(), CM_Next_Range(), CM_Open_Class_Key_ExA(), CM_Open_DevNode_Key_Ex(), CM_Query_And_Remove_SubTree_ExA(), CM_Query_And_Remove_SubTree_ExW(), CM_Query_Arbitrator_Free_Data_Ex(), CM_Query_Arbitrator_Free_Size_Ex(), CM_Query_Resource_Conflict_List(), CM_Reenumerate_DevNode_Ex(), CM_Register_Device_Driver_Ex(), CM_Register_Device_Interface_ExA(), CM_Register_Device_Interface_ExW(), CM_Request_Device_Eject_ExA(), CM_Request_Device_Eject_ExW(), CM_Request_Eject_PC_Ex(), CM_Run_Detection_Ex(), CM_Set_DevNode_Problem_Ex(), CM_Set_DevNode_Registry_Property_ExA(), CM_Set_DevNode_Registry_Property_ExW(), CM_Set_HW_Prof_Ex(), CM_Set_HW_Prof_Flags_ExA(), CM_Set_HW_Prof_Flags_ExW(), CM_Setup_DevNode_Ex(), CM_Uninstall_DevNode_Ex(), CM_Unregister_Device_Interface_ExA(), CM_Unregister_Device_Interface_ExW(), cmd_call(), CMP_GetBlockedDriverInfo(), CMP_GetServerSideDeviceInstallFlags(), CMP_Init_Detection(), CMP_RegisterNotification(), CMP_Report_LogOn(), CMP_UnregisterNotification(), CMP_WaitNoPendingInstallEvents(), CMP_WaitServicesAvailable(), CNG_PrepareSignature(), CNG_VerifySignature(), co_ClientImmLoadLayout(), co_IntImmProcessKey(), co_IntProcessMouseMessage(), co_MsqWaitForNewMessages(), co_strdupAtoW(), co_strdupW(), co_strdupWtoA(), co_UserCreateWindowEx(), co_UserExcludeUpdateRgn(), codeview_process_info(), coff_process_info(), Collection_addCert(), Collection_addCRL(), Collection_addCTL(), Collection_control(), Collection_enumCert(), Collection_enumCRL(), Collection_enumCTL(), collection_QueryInterface(), combine_uri(), combine_url(), COMBO_WindowProc(), combobox_edit_subclass_proc(), combobox_hook_proc(), combobox_lbox_subclass_proc(), COMBOEX_NotifyItem(), ComboWndProc_common(), COMCTL32_SubclassProc(), CommandDir(), CommandPopd(), CommitUrlCacheEntryA(), CommitUrlCacheEntryW(), comp_value(), compare(), compare_assembly_names(), compare_bitmap_bits_(), compare_case_weights(), compare_cert_by_cert_id(), compare_cert_by_md5_hash(), compare_cert_by_name(), compare_cert_by_name_str(), compare_cert_by_public_key(), compare_cert_by_sha1_hash(), compare_cert_by_signature_hash(), compare_cert_by_subject_cert(), compare_crl_existing(), compare_crl_issued_by(), compare_crl_issued_for(), compare_ctl_by_md5_hash(), compare_ctl_by_sha1_hash(), compare_ctl_existing(), compare_diacritic_weights(), compare_export_(), compare_expr(), compare_file_data(), compare_file_paths(), compare_files(), compare_ignoring_frag(), compare_menu_data(), compare_mf_disk_bits(), compare_pf_data(), compare_sig(), compare_unicode_weights(), compare_uris(), CompareNode(), compareStore(), CompareStringA(), CompareStringEx(), compareUdpRow(), Compartment_Release(), CompartmentEnumGuid_Release(), CompartmentMgr_Release(), compat_catpath(), compat_getenv(), compat_isdir(), compat_nextdir(), compat_nextfile(), compat_open(), compile_args(), compile_procedure(), compile_script(), compiler_alloc_string(), compiler_alloc_zero(), compKeyword(), CompleteAuthToken(), COMPOBJ_DllList_Add(), COMPOBJ_DllList_Get(), ComponentEnum_Clone(), ComponentInfo_GetDWORDValue(), ComponentInfo_GetGuidList(), ComponentInfo_GetGUIDValue(), ComponentInfo_GetStringValue(), compute_expected_props(), ComputeVariance(), condvar_base_consumer(), Config(), Confirm(), confirm_safety(), confirm_safety_load(), ConnectionPoint_Create(), ConnectionPoint_EnumConnections(), ConPt_Release(), construct_function(), Contain_Release(), context_create(), Context_Release(), context_restore_pixel_format(), ContextPropertyList_EnumPropIDs(), ContextPropertyList_FindProperty(), ContextPropertyList_SetProperty(), convert_bios_date(), convert_fixed_to_float(), convert_params(), convert_path_point_type(), convert_points(), convert_recipient_from_unicode(), ConvertChmString(), ConvertPCapsFlags(), ConvertStringSecurityDescriptorToSecurityDescriptorA(), copy_file(), copy_handle(), copy_name_table_string(), ImageModel::CopyBitmap(), copyIfRowDescr(), copyIfRowPhysAddr(), CopyMetaFileA(), CorBindToRuntimeEx(), CorBindToRuntimeHost(), cordebugprocess_Terminate(), count_blocks(), crash_and_debug(), crash_and_winedbg(), crc32(), create_activex_constr(), create_and_write_file(), create_animate(), create_array(), create_array_constr(), create_avi_file(), create_ax_site(), create_bind_function(), create_binding_protocol(), create_bitmap(), create_bitmap_file(), create_bool(), create_bool_constr(), create_browser_service(), create_builtin_constructor(), create_builtin_dispatch(), create_builtin_function(), create_callback(), create_channelbsc(), create_child_collection(), create_child_thread(), create_classes_root_hkey(), create_connection_settings(), create_converted_emf(), create_date(), create_date_constr(), create_default_callback(), create_device(), create_dib(), create_dict_enum(), create_dispex(), create_doc_from_nsdoc(), create_doc_uri(), create_document_fragment(), create_dom_implementation(), create_editsvcs(), create_element(), create_enum_variant_mc2(), create_enumerator(), create_enumerator_constr(), create_error(), create_event(), create_event_obj(), create_event_sink(), create_fake_dll(), create_file_test(), create_file_with_version(), create_full_path(), create_full_pathW(), create_func_disp(), create_function(), create_graph(), create_history(), create_html_rect(), create_http_protocol(), create_ico_file(), create_ie(), create_inf_file(), create_inner_window(), create_internet_session(), create_ip_frame(), create_ip_window(), create_jscaller(), create_jscript(), create_jscript_object(), create_json(), create_list(), create_match2(), create_match_array(), create_match_collection2(), create_math(), create_menu_from_data(), create_menuitem_from_data(), create_metafile(), create_metafilepict(), create_mime_types_collection(), create_moniker(), create_monthcal_control(), create_netconn(), create_node(), create_nschannel(), create_nscommand_params(), create_nscontainer(), create_nselem(), create_nsfile(), create_nsprotocol_stream(), create_nsuri(), create_nsvariant(), create_number(), create_number_constr(), create_object(), create_object_constr(), create_object_prototype(), create_param_prop_bag(), create_path(), create_plugins_collection(), create_process(), create_ps10_parser(), create_ps11_parser(), create_ps12_parser(), create_ps13_parser(), create_ps14_parser(), create_ps20_parser(), create_ps2x_parser(), create_ps30_parser(), create_redirect_callback(), create_redirect_nschannel(), create_regexp(), create_regexp_constr(), create_regexp_var(), create_req_file(), create_script_disp(), create_script_host(), create_server(), create_server_process(), create_server_xhr(), create_shell_ui_helper(), create_singleton_enumerator(), create_source_function(), create_stgmed_buf(), create_stgmed_file(), create_stgmed_stream(), create_string(), create_string_constr(), create_sub_matches(), create_target_process(), create_task_enum(), create_temp_dir(), create_test_dll(), create_test_dll_sections(), create_test_entries(), create_test_file(), create_test_wndproc(), create_textfont(), create_textpara(), create_textstream(), create_tool_window(), create_undomgr(), create_vbarray(), create_vbarray_constr(), create_vbdisp(), create_vbscript(), create_view(), create_vs10_parser(), create_vs11_parser(), create_vs20_parser(), create_vs2x_parser(), create_vs30_parser(), create_webbrowser(), create_wide_manifest(), create_window(), create_window_thread(), create_writer(), create_xhr(), CreateActCtxA(), CreateAsyncBindCtxEx(), CreateBtn(), CreateColorDIB(), CreateColorTransformW(), CreateDirectoryExA(), CreateEnhMetaFileA(), CreateEnhMetaFileW(), CreateFontA(), CCharMapWindow::CreateFontComboBox(), CreateILockBytesOnHGlobal(), CreateInstanceKey(), CreateIUriBuilder(), CreateMemoryDialog(), CreateMetaFileW(), CreateMultiProfileTransform(), CreateOleClientSite(), CPrintersEnum::CreatePrintersEnumList(), CreateTestThread(), CreateUri(), CreateUrlCacheEntryW(), CreateURLMonikerEx2(), CreateWindowStationAndDesktops(), CRecipientInfo_Construct(), CredDeleteA(), CredDeleteW(), CredEnumerateW(), CredMarshalCredentialA(), CredReadDomainCredentialsA(), CredReadW(), CredUIPromptForCredentialsW(), CredUnmarshalCredentialA(), CredWriteA(), CredWriteW(), critsect_locked_thread(), CRLContext_GetHashProp(), CRLContext_GetProperty(), CRLContext_SetProperty(), crossProduct(), CRT_Tests(), CRTDLL__fstat(), CRTDLL__stat(), CRYPT_AcquirePrivateKeyFromProvInfo(), CRYPT_AddAlternateChainToChain(), CRYPT_AddCertToSimpleChain(), CRYPT_AddStringToMultiString(), CRYPT_AppendAttribute(), CRYPT_AsnDecodeAlgorithmId(), CRYPT_AsnDecodeAltName(), CRYPT_AsnDecodeAltNameEntry(), CRYPT_AsnDecodeAltNameInternal(), CRYPT_AsnDecodeArray(), CRYPT_AsnDecodeAuthorityInfoAccess(), CRYPT_AsnDecodeAuthorityKeyId(), CRYPT_AsnDecodeAuthorityKeyId2(), CRYPT_AsnDecodeBasicConstraints(), CRYPT_AsnDecodeBasicConstraints2(), CRYPT_AsnDecodeBits(), CRYPT_AsnDecodeBitsInternal(), CRYPT_AsnDecodeBitsSwapBytes(), CRYPT_AsnDecodeBMPString(), CRYPT_AsnDecodeBool(), CRYPT_AsnDecodeCert(), CRYPT_AsnDecodeCertExtensions(), CRYPT_AsnDecodeCertExtensionsInternal(), CRYPT_AsnDecodeCertInfo(), CRYPT_AsnDecodeCertPolicies(), CRYPT_AsnDecodeCertPolicy(), CRYPT_AsnDecodeCertPolicyConstraints(), CRYPT_AsnDecodeCertPolicyMapping(), CRYPT_AsnDecodeCertPolicyMappings(), CRYPT_AsnDecodeCertSignedContent(), CRYPT_AsnDecodeCertVersion(), CRYPT_AsnDecodeChoiceOfTime(), CRYPT_AsnDecodeChoiceOfTimeInternal(), CRYPT_AsnDecodeCMSCertEncoded(), CRYPT_AsnDecodeCMSCrlEncoded(), CRYPT_AsnDecodeCMSSignedInfo(), CRYPT_AsnDecodeCMSSignerId(), CRYPT_AsnDecodeCMSSignerInfo(), CRYPT_AsnDecodeCMSSignerInfoInternal(), CRYPT_AsnDecodeCopyBytes(), CRYPT_AsnDecodeCRL(), CRYPT_AsnDecodeCRLDistPoints(), CRYPT_AsnDecodeCRLEntries(), CRYPT_AsnDecodeCRLEntry(), CRYPT_AsnDecodeCRLEntryExtensions(), CRYPT_AsnDecodeCRLExtensions(), CRYPT_AsnDecodeCRLExtensionsInternal(), CRYPT_AsnDecodeCRLInfo(), CRYPT_AsnDecodeCTL(), CRYPT_AsnDecodeCTLEntries(), CRYPT_AsnDecodeCTLEntry(), CRYPT_AsnDecodeCTLEntryAttributes(), CRYPT_AsnDecodeCTLExtensions(), CRYPT_AsnDecodeCTLExtensionsInternal(), CRYPT_AsnDecodeCTLUsage(), CRYPT_AsnDecodeDerBlob(), CRYPT_AsnDecodeDistPoint(), CRYPT_AsnDecodeDistPointName(), CRYPT_AsnDecodeEccSignature(), CRYPT_AsnDecodeEncryptedContentInfo(), CRYPT_AsnDecodeEnhancedKeyUsage(), CRYPT_AsnDecodeEnumerated(), CRYPT_AsnDecodeExcludedSubtree(), CRYPT_AsnDecodeExtension(), CRYPT_AsnDecodeExtensions(), CRYPT_AsnDecodeGeneralizedTime(), CRYPT_AsnDecodeIA5String(), CRYPT_AsnDecodeInhibitMapping(), CRYPT_AsnDecodeInt(), CRYPT_AsnDecodeInteger(), CRYPT_AsnDecodeIntegerInternal(), CRYPT_AsnDecodeIntInternal(), CRYPT_AsnDecodeIssuerSerialNumber(), CRYPT_AsnDecodeIssuingDistPoint(), CRYPT_AsnDecodeMaximum(), CRYPT_AsnDecodeName(), CRYPT_AsnDecodeNameConstraints(), CRYPT_AsnDecodeNameValue(), CRYPT_AsnDecodeNameValueInternal(), CRYPT_AsnDecodeNoticeNumbers(), CRYPT_AsnDecodeNoticeReference(), CRYPT_AsnDecodeObjectIdentifier(), CRYPT_AsnDecodeOctets(), CRYPT_AsnDecodeOctetString(), CRYPT_AsnDecodeOid(), CRYPT_AsnDecodeOidIgnoreTag(), CRYPT_AsnDecodeOidInternal(), CRYPT_AsnDecodePathLenConstraint(), CRYPT_AsnDecodePermittedSubtree(), CRYPT_AsnDecodePKCSAttribute(), CRYPT_AsnDecodePKCSAttributeInternal(), CRYPT_AsnDecodePKCSAttributes(), CRYPT_AsnDecodePKCSAttributesInternal(), CRYPT_AsnDecodePKCSAttributeValue(), CRYPT_AsnDecodePKCSContent(), CRYPT_AsnDecodePKCSContentInfo(), CRYPT_AsnDecodePKCSContentInfoInternal(), CRYPT_AsnDecodePKCSDigestedData(), CRYPT_AsnDecodePKCSEnvelopedData(), CRYPT_AsnDecodePKCSSignerInfo(), CRYPT_AsnDecodePKCSSignerInfoInternal(), CRYPT_AsnDecodePolicyQualifier(), CRYPT_AsnDecodePolicyQualifiers(), CRYPT_AsnDecodePolicyQualifierUserNotice(), CRYPT_AsnDecodePolicyQualifierUserNoticeInternal(), CRYPT_AsnDecodeProgramName(), CRYPT_AsnDecodePubKeyInfo(), CRYPT_AsnDecodePubKeyInfoInternal(), CRYPT_AsnDecodeRdn(), CRYPT_AsnDecodeRdnAttr(), CRYPT_AsnDecodeRecipientInfo(), CRYPT_AsnDecodeRequireExplicit(), CRYPT_AsnDecodeRsaPrivKey(), CRYPT_AsnDecodeRsaPubKey(), CRYPT_AsnDecodeSequence(), CRYPT_AsnDecodeSequenceItems(), CRYPT_AsnDecodeSequenceOfAny(), CRYPT_AsnDecodeSMIMECapabilities(), CRYPT_AsnDecodeSMIMECapability(), CRYPT_AsnDecodeSPCLinkInternal(), CRYPT_AsnDecodeSPCLinkPointer(), CRYPT_AsnDecodeSubtree(), CRYPT_AsnDecodeSubtreeConstraints(), CRYPT_AsnDecodeTimeZone(), CRYPT_AsnDecodeUnicodeName(), CRYPT_AsnDecodeUnicodeNameValue(), CRYPT_AsnDecodeUnicodeNameValueInternal(), CRYPT_AsnDecodeUnicodeRdn(), CRYPT_AsnDecodeUnicodeRdnAttr(), CRYPT_AsnDecodeUnicodeString(), CRYPT_AsnDecodeUnsignedInteger(), CRYPT_AsnDecodeUnsignedIntegerInternal(), CRYPT_AsnDecodeUtcTime(), CRYPT_AsnDecodeUtcTimeInternal(), CRYPT_AsnDecodeValidity(), CRYPT_AsnEncodeAlgorithmId(), CRYPT_AsnEncodeAlgorithmIdWithNullParams(), CRYPT_AsnEncodeAltName(), CRYPT_AsnEncodeAltNameEntry(), CRYPT_AsnEncodeAuthorityInfoAccess(), CRYPT_AsnEncodeAuthorityKeyId(), CRYPT_AsnEncodeAuthorityKeyId2(), CRYPT_AsnEncodeBasicConstraints(), CRYPT_AsnEncodeBasicConstraints2(), CRYPT_AsnEncodeBits(), CRYPT_AsnEncodeBitsSwapBytes(), CRYPT_AsnEncodeBMPString(), CRYPT_AsnEncodeBool(), CRYPT_AsnEncodeCert(), CRYPT_AsnEncodeCertInfo(), CRYPT_AsnEncodeCertPolicies(), CRYPT_AsnEncodeCertPolicy(), CRYPT_AsnEncodeCertPolicyConstraints(), CRYPT_AsnEncodeCertPolicyMappings(), CRYPT_AsnEncodeCertPolicyQualifiers(), CRYPT_AsnEncodeCertVersion(), CRYPT_AsnEncodeChoiceOfTime(), CRYPT_AsnEncodeCMSSignedInfo(), CRYPT_AsnEncodeCMSSignerInfo(), CRYPT_AsnEncodeConstructed(), CRYPT_AsnEncodeCRLDistPoints(), CRYPT_AsnEncodeCRLEntries(), CRYPT_AsnEncodeCRLEntry(), CRYPT_AsnEncodeCRLInfo(), CRYPT_AsnEncodeCRLVersion(), CRYPT_AsnEncodeCTL(), CRYPT_AsnEncodeCTLEntries(), CRYPT_AsnEncodeCTLEntry(), CRYPT_AsnEncodeCTLSubjectAlgorithm(), CRYPT_AsnEncodeCTLVersion(), CRYPT_AsnEncodeDistPoint(), CRYPT_AsnEncodeEnhancedKeyUsage(), CRYPT_AsnEncodeEnumerated(), CRYPT_AsnEncodeExtension(), CRYPT_AsnEncodeExtensions(), CRYPT_AsnEncodeGeneralizedTime(), CRYPT_AsnEncodeGeneralSubtree(), CRYPT_AsnEncodeIA5String(), CRYPT_AsnEncodeInteger(), CRYPT_AsnEncodeIssuerSerialNumber(), CRYPT_AsnEncodeIssuingDistPoint(), CRYPT_AsnEncodeName(), CRYPT_AsnEncodeNameConstraints(), CRYPT_AsnEncodeNameValue(), CRYPT_AsnEncodeNoticeNumbers(), CRYPT_AsnEncodeNoticeReference(), CRYPT_AsnEncodeNumericString(), CRYPT_AsnEncodeOctets(), CRYPT_AsnEncodeOid(), CRYPT_AsnEncodeOrCopyUnicodeNameValue(), CRYPT_AsnEncodePKCSAttribute(), CRYPT_AsnEncodePKCSAttributes(), CRYPT_AsnEncodePKCSContentInfo(), CRYPT_AsnEncodePKCSSignerInfo(), CRYPT_AsnEncodePolicyQualifierUserNotice(), CRYPT_AsnEncodePrintableString(), CRYPT_AsnEncodePubKeyInfo(), CRYPT_AsnEncodePubKeyInfoNoNull(), CRYPT_AsnEncodeRdn(), CRYPT_AsnEncodeRdnAttr(), CRYPT_AsnEncodeRsaPubKey(), CRYPT_AsnEncodeSequence(), CRYPT_AsnEncodeSequenceOfAny(), CRYPT_AsnEncodeSMIMECapabilities(), CRYPT_AsnEncodeSMIMECapability(), CRYPT_AsnEncodeStringCoerce(), CRYPT_AsnEncodeSwapTag(), CRYPT_AsnEncodeUnicodeName(), CRYPT_AsnEncodeUnicodeNameValue(), CRYPT_AsnEncodeUnicodeStringCoerce(), CRYPT_AsnEncodeUniversalString(), CRYPT_AsnEncodeUnsignedInteger(), CRYPT_AsnEncodeUtcTime(), CRYPT_AsnEncodeUTF8String(), CRYPT_AsnEncodeValidity(), CRYPT_BuildAlternateContextFromChain(), CRYPT_BuildCandidateChainFromCert(), CRYPT_BuildSimpleChain(), CRYPT_CheckRestrictedRoot(), CRYPT_CollectionAddContext(), CRYPT_CollectionAdvanceEnum(), CRYPT_CollectionCreateContextFromChild(), CRYPT_Connect(), CRYPT_ConstructAttribute(), CRYPT_ConstructAttributes(), CRYPT_ConstructBlob(), CRYPT_ConstructBlobArray(), CRYPT_CopyChainToElement(), CRYPT_CopyCMSSignerInfo(), CRYPT_CopyEncodedBlob(), CRYPT_CopyKeyIdAsIssuerAndSerial(), CRYPT_CopyParam(), CRYPT_CopyRecipientInfo(), CRYPT_CopySignerCertInfo(), CRYPT_CopySignerInfo(), CRYPT_CopySimpleChainToElement(), CRYPT_CrackUrl(), CRYPT_CreateAny(), CRYPT_CreateBlob(), CRYPT_CreateContext(), CRYPT_CreateKeyProv(), CRYPT_CreatePKCS7(), CRYPT_CreateSignedCert(), CRYPT_CriticalExtensionsSupported(), CRYPT_DecodeBasicConstraints(), CRYPT_DecodeCheckSpace(), CRYPT_DecodeEnsureSpace(), CRYPT_DecodeRecipientInfoArray(), CRYPT_DecodeSignerArray(), CRYPT_DEREncodeItemsAsSet(), CRYPT_DEREncodeSet(), CRYPT_DownloadObject(), CRYPT_EncodeContentLength(), CRYPT_EncodeDataContentInfoHeader(), CRYPT_EncodeEnsureSpace(), CRYPT_EncodePKCSDigestedData(), CRYPT_EncodeValue(), CRYPT_EncodeValueWithType(), CRYPT_ExportEncryptedKey(), CRYPT_ExportKeyTrans(), CRYPT_ExportPublicKeyInfoEx(), CRYPT_FileControl(), CRYPT_FileNameOpenStoreA(), CRYPT_FileNameOpenStoreW(), CRYPT_FindEncodedLen(), CRYPT_findPropID(), CRYPT_FindStringInMultiString(), CRYPT_FormatAltName(), CRYPT_FormatAltNameEntry(), CRYPT_FormatAltNameInfo(), CRYPT_FormatAuthorityInfoAccess(), CRYPT_FormatAuthorityKeyId2(), CRYPT_FormatBasicConstraints2(), CRYPT_FormatBits(), CRYPT_FormatCertIssuer(), CRYPT_FormatCPS(), CRYPT_FormatCRLDistPoints(), CRYPT_FormatEnhancedKeyUsage(), CRYPT_FormatHexString(), CRYPT_FormatHexStringWithPrefix(), CRYPT_FormatKeyUsage(), CRYPT_FormatNetscapeCertType(), CRYPT_FormatReason(), CRYPT_FormatSpcFinancialCriteria(), CRYPT_FormatUnicodeString(), CRYPT_FormatUserNotice(), CRYPT_GenKey(), CRYPT_GetCachedSIP(), CRYPT_GetCreateFunction(), CRYPT_GetFuncFromDll(), CRYPT_GetFuncFromReg(), CRYPT_GetIssuer(), CRYPT_GetLen(), CRYPT_GetLengthIndefinite(), CRYPT_GetMultiStringCharacterLen(), CRYPT_GetNextKeyW(), CRYPT_GetNextValueW(), CRYPT_GetObjectFromCache(), CRYPT_GetObjectFromFile(), CRYPT_GetRetrieveFunction(), CRYPT_GetSimpleChainForCert(), CRYPT_GetUrlFromCertificateCRLDistPoint(), CRYPT_GetUrlFromCertificateIssuer(), CRYPT_GetUrlFromCRLDistPointsExt(), CRYPT_ImportEncryptedKey(), CRYPT_ImportKeyTrans(), CRYPT_ImportPublicKeyInfoEx(), CRYPT_IsCertificateSelfSigned(), CRYPT_IsCertVersionValid(), CRYPT_IsValidNameConstraint(), CRYPT_KeyUsageValid(), CRYPT_MemOutputFunc(), CRYPT_MsgOpenStore(), CRYPT_PKCSOpenStore(), CRYPT_ProvCreateStore(), CRYPT_ProvOpenStore(), CRYPT_QueryContextBlob(), CRYPT_QueryContextObject(), CRYPT_QueryEmbeddedMessageObject(), CRYPT_QueryMessageObject(), CRYPT_QuerySerializedContextObject(), CRYPT_QuerySerializedStoreFromBlob(), CRYPT_QuerySerializedStoreFromFile(), CRYPT_QuerySignedMessage(), CRYPT_QueryUnsignedMessage(), CRYPT_ReadBlobFromFile(), CRYPT_ReadContextProp(), CRYPT_ReadSerializedElement(), CRYPT_ReadSerializedStore(), CRYPT_RegControl(), CRYPT_RegDeleteContext(), CRYPT_RegFlushStore(), CRYPT_RegWriteContext(), CRYPT_RegWriteToReg(), CRYPT_RemoveStringFromMultiString(), CRYPT_SavePKCSToFile(), CRYPT_SavePKCSToMem(), CRYPT_SaveSerializedToMem(), CRYPT_SerializeContextsToReg(), CRYPT_SerializeContextsToStream(), CRYPT_SerializeStoreElement(), CRYPT_significantBytes(), CRYPT_SysOpenStoreA(), CRYPT_SysOpenStoreW(), CRYPT_SysRegOpenStoreA(), CRYPT_ValueToRDN(), CRYPT_VerifyChainRevocation(), CRYPT_VerifySignature(), CRYPT_WriteSerializedStoreToStream(), CRYPT_WriteSerializedToReg(), CryptAcquireCertificatePrivateKey(), CryptAcquireContextA(), CryptCATAdminCalcHashFromFileHandle(), CryptCATAdminEnumCatalogFromHash(), CryptCATEnumerateMember(), CryptDecodeObjectEx(), CryptDestroyHash(), CryptDestroyKey(), CRYPTDLG_CheckOnlineCRL(), CRYPTDLG_CopyChain(), CRYPTDLG_IsCertAllowed(), CryptEncodeObject(), CryptEncodeObjectEx(), CryptEncryptMessage(), CryptEnumOIDInfo(), CryptEnumProvidersA(), CryptEnumProvidersW(), CryptEnumProviderTypesA(), CryptExportPublicKeyInfoEx(), CryptFindOIDInfo(), CryptFormatObject(), CryptGetDefaultOIDDllList(), CryptGetDefaultOIDFunctionAddress(), CryptGetDefaultProviderA(), CryptGetObjectUrl(), CryptGetOIDFunctionAddress(), CryptHashCertificate(), CryptHashMessage(), CryptHashPublicKeyInfo(), CryptHashToBeSigned(), CryptImportPublicKeyInfoEx(), CryptInitOIDFunctionSet(), CryptInstallOIDFunctionAddress(), CryptMsgEncodeAndSignCTL(), CryptMsgGetAndVerifySigner(), CryptMsgSignCTL(), CryptQueryObject(), CryptRegisterDefaultOIDFunction(), CryptReleaseContext(), CryptRetrieveObjectByUrlA(), CryptRetrieveObjectByUrlW(), CryptSetProviderExA(), CryptSignAndEncodeCertificate(), CryptSignCertificate(), CryptSignMessage(), CryptSIPCreateIndirectData(), CryptSIPGetSignedDataMsg(), CryptSIPPutSignedDataMsg(), CryptSIPRemoveSignedDataMsg(), CryptSIPVerifyIndirectData(), CryptStringToBinaryA(), CryptStringToBinaryW(), CryptUIDlgSelectStoreA(), CryptUIDlgViewCertificateA(), CryptUIDlgViewCertificateW(), CryptUIDlgViewContext(), CryptUIWizExport(), CryptUIWizImport(), CryptUnregisterDefaultOIDFunction(), CryptVerifyCertificateSignatureEx(), CryptVerifyDetachedMessageHash(), CryptVerifyDetachedMessageSignature(), CryptVerifyMessageHash(), CryptVerifyMessageSignature(), CSignedEncodeMsg_GetParam(), CSignedEncodeMsg_Open(), CSignedEncodeMsg_Update(), CSignedMsgData_AllocateHandles(), CSignedMsgData_AppendMessageDigestAttribute(), CSignedMsgData_ConstructSignerHandles(), CSignedMsgData_Sign(), CSignedMsgData_Update(), CSignedMsgData_UpdateAuthenticatedAttributes(), CSignedMsgData_UpdateHash(), CSignerInfo_Construct(), CStdStubBuffer_Delegating_CountRefs(), CtfImeIsGuidMapEnable(), CtfImmIsGuidMapEnable(), CTLContext_GetHashProp(), CTLContext_GetProperty(), CTLContext_SetProperty(), CURSORICON_CopyImage(), CURSORICON_LoadImageW(), directedLine::cutIntersectionAllPoly(), d3d7_EnumDevices(), d3d8_device_GetAvailableTextureMem(), d3d8_device_ShowCursor(), d3d8_texture_2d_GetLevelCount(), d3d8_texture_2d_GetLOD(), d3d8_texture_2d_GetPriority(), d3d8_texture_2d_SetLOD(), d3d8_texture_2d_SetPriority(), d3d8_texture_3d_GetLevelCount(), d3d8_texture_3d_GetLOD(), d3d8_texture_3d_GetPriority(), d3d8_texture_3d_SetLOD(), d3d8_texture_3d_SetPriority(), d3d8_texture_cube_GetLevelCount(), d3d8_texture_cube_GetLOD(), d3d8_texture_cube_GetPriority(), d3d8_texture_cube_SetLOD(), d3d8_texture_cube_SetPriority(), d3d9_device_GetAvailableTextureMem(), d3d9_device_GetNPatchMode(), d3d9_device_GetSoftwareVertexProcessing(), d3d9_device_ShowCursor(), d3d9_dstmod(), d3d9_GetAdapterCount(), d3d9_GetAdapterModeCount(), d3d9_GetAdapterModeCountEx(), d3d9_swizzle(), d3d9_texture_2d_GetLevelCount(), d3d9_texture_2d_GetLOD(), d3d9_texture_2d_GetPriority(), d3d9_texture_2d_SetLOD(), d3d9_texture_2d_SetPriority(), d3d9_texture_3d_GetLevelCount(), d3d9_texture_3d_GetLOD(), d3d9_texture_3d_GetPriority(), d3d9_texture_3d_SetLOD(), d3d9_texture_3d_SetPriority(), d3d9_texture_cube_GetLevelCount(), d3d9_texture_cube_GetLOD(), d3d9_texture_cube_GetPriority(), d3d9_texture_cube_SetLOD(), d3d9_texture_cube_SetPriority(), d3d9_writemask(), d3d_device3_GetTexture(), d3drm3_Load(), d3drm_mesh_builder3_Load(), d3dx9_apply_pass_states(), d3dx9_apply_state(), d3dx9_file_CreateEnumObject(), d3dx9_file_data_create(), d3dx9_file_data_GetId(), d3dx9_file_data_GetName(), d3dx9_file_data_GetType(), d3dx9_file_data_Lock(), d3dx9_file_RegisterTemplates(), d3dx_create_param_eval(), d3dx_effect_EndParameterBlock(), d3dx_effect_IsParameterUsed(), d3dx_effect_ValidateTechnique(), d3dx_parse_array_selector(), d3dx_set_shader_const_state(), d3dx_set_shader_constants(), D3DXAssembleShaderFromFileA(), D3DXCompileShaderFromFileA(), D3DXCreateEffectCompilerFromFileA(), D3DXCreateEffectCompilerFromFileW(), D3DXCreateEffectFromFileExA(), D3DXCreateEffectFromFileExW(), D3DXFileCreate(), D3DXMatrixTest(), D3DXPreprocessShaderFromFileA(), database_invoke(), date_parse(), Date_toISOString(), date_utc(), datetime_subclass_proc(), DBG_cutIntersectionAllPoly(), dde_connect(), dde_execute(), dde_proc(), DdeCmpStringHandles(), DdeDisconnect(), DdeEnableCallback(), DdeFreeStringHandle(), DdeImpersonateClient(), DdeKeepStringHandle(), DdeQueryConvInfo(), DdeQueryStringA(), DdeQueryStringW(), DdeReconnect(), ddraw_surface_update_frontbuffer(), debug(), debug_print_swizzle(), debug_print_writemask(), decode_base64(), decode_base64_blob(), decode_dword(), decode_header(), decode_pct_val(), decode_qp(), decode_url(), decodeAndCompareBase64_A(), DecodeAnyA(), DecodeAnyW(), decodeBase64Byte(), decodeBase64WithLenFmt(), decodeBase64WithLenFmtW(), DecodeBinaryToBinaryA(), DecodeBinaryToBinaryW(), decompress_file_cab(), decompress_file_lz(), FxIoTarget::DecrementIoCount(), DecryptFileA(), DecryptMessage(), DefaultWlxWindowProc(), DEFINE_TEST(), deflateReset(), deformat_component(), deformat_environment(), deformat_file(), deformat_index(), deformat_property(), DefSubclassProc(), delete_branch(), delete_chm(), delete_file_(), delete_file_test(), delete_key(), delete_object(), delete_prop(), delete_registry_key(), delete_test_service(), delete_tree(), delete_tree_(), directedLine::deleteChain(), DeleteColorTransform(), directedLine::deleteDegenerateLinesAllPolygons(), DeleteDirectory(), DeleteFileToRecycleBinA(), DeletePrinterDriverExA(), DeleteSecurityContext(), DeleteUrlCacheEntryA(), DeleteUrlCacheEntryW(), DELNODE_recurse_dirtree(), DelNodeW(), MoveConstructorTest::deque_test(), DestroyService(), detect_nt(), detect_proxy_autoconfig_url_dhcp(), detect_proxy_autoconfig_url_dns(), detectChange(), DEVENUM_IParseDisplayName_ParseDisplayName(), device_io(), devinst_RegDeleteTreeW(), DevInstallW(), DIALOG_CopyMove(), DIALOG_DlgDirListA(), DIALOG_DlgDirSelect(), DIALOG_FilePrint(), DIALOG_GroupAttributes(), DIALOG_IdToHwnd(), DIALOG_New(), DIALOG_ProgramAttributes(), dictionary__NewEnum(), dictionary_create(), dictionary_find(), dictionary_find_internal(), dinput_mouse_hook(), directedLineLoopToMonoChainLoop(), DisableDeviceInstance(), DisableShellext(), CConsole::DisableWrite(), DisassociateColorProfileFromDeviceA(), disk_create_notify(), DiskRead(), disp_call(), disp_cmp(), disp_delete(), disp_delete_name(), Disp_Release(), dispex_get_dprop_ref(), DisplayAttributeMgr_Release(), DisplayDeviceRelations(), FxDmaScatterGatherTransaction::Dispose(), DlgThreadProc(), dll_entry_point(), DllCanUnloadNow(), DllGetClassObject(), DllRegisterServer(), DmaRequest(), dmobj_IDirectMusicObject_SetDescriptor(), DMOGetName(), DMOGetTypes(), DMORegister(), DMOUnregister(), DMUSIC_CreateDirectMusicImpl(), dns_strdup_au(), dns_strdup_aw(), dns_strdup_ua(), dns_strdup_uw(), dns_strdup_wa(), dns_strdup_wu(), DnsNameCompare_A(), DnsRecordSetCompare(), DnsValidateName_A(), DnsValidateName_UTF8(), do_attribute_tag_format(), do_attributeless_tag_format(), do_authorization(), do_child(), do_export(), do_file_copyW(), do_import(), do_InitialDesktop_child(), do_loop(), do_msidbCustomActionTypeDll(), do_parent(), do_query(), do_readahead(), do_regexp_match_next(), do_request(), do_test(), do_typelib_reg_key(), doChild(), doChildren(), DoCommand(), DocumentMgr_Release(), DoEntry(), doflag(), CFontExt::DoGetFontTitle(), DoGetNameInZip(), DoGetPidl(), DoGetZipName(), domain_matches(), DOMClassFactory_Create(), PropertySheetDialog::DoModal(), CShellLink::DoOpenFileLocation(), DoPrintDocument(), DoPrintPage(), DoRegServer(), DoSaveFile(), dosflags(), DoTestComputerName(), DoTestEntry(), DoUnregServer(), CVfdShExt::DoVfdDrop(), CVfdShExt::DoVfdOpen(), CVfdShExt::DoVfdProtect(), DownloadBSC_Create(), drain_socket_thread(), draw_graphics(), draw_text_2(), DrawCaptionTempA(), DrawDibBegin(), DrawDibDraw(), DrawDibEnd(), DrawDibRealize(), DrawFrameControl(), DrawTest(), DrawTextExA(), drive_get_FileSystem(), drive_get_IsReady(), drive_get_SerialNumber(), drive_get_VolumeName(), DRIVER_SendMessage(), DRIVER_TryOpenDriver32(), DriverCallback(), CFontExt::Drop(), DSOUND_bufpos_to_mixpos(), DSoundAdviseThread(), DSoundRender_SendSampleData(), DSPROPERTY_EnumerateW(), DSPROPERTY_enumWto1(), DSPROPERTY_enumWtoA(), DsRolerGetPrimaryDomainInformation(), dup_basename_token(), dup_partial_mediatype(), dwarf2_get_addr(), dwarf2_get_leb128_as_signed(), dwarf2_get_leb128_as_unsigned(), dwarf2_init_zsection(), dwarf2_leb128_as_signed(), dwarf2_leb128_as_unsigned(), dwarf2_leb128_length(), dwarf2_parse(), dwarf2_parse_addr(), dwarf2_parse_compilation_unit(), dwarfgetarg(), dwarfunwind(), DynamicPathCommonPrefixW(), e_strdup(), EDIT_CallWordBreakProc(), EDIT_EM_GetLine(), edit_hook_proc(), EDIT_PaintText(), edit_proc_proxy(), edit_subclass_proc(), EDIT_WM_HScroll(), EDIT_WM_VScroll(), EDIT_WordBreakProc(), editbox_subclass_proc(), EditSession_Release(), EditWindowProc(), CAutoComplete::EditWndProc(), elf_enum_modules(), elf_load_cb(), elf_load_debug_info(), elf_load_debug_info_from_map(), elf_load_file(), elf_load_file_from_fmap(), elf_read_wine_loader_dbg_info(), elf_search_and_load_file(), EMF_GetEnhMetaHeader(), EMFDC_ExtSelectClipRgn(), EMFDC_ExtTextOut(), EMFDC_FillRgn(), EMFDC_FrameRgn(), EMFDC_GdiComment(), EMFDC_GradientFill(), EMFDC_MaskBlt(), emfdc_paint_invert_region(), EMFDC_PatBlt(), EMFDC_PlgBlt(), emfdc_poly_polylinegon(), EMFDC_PolyDraw(), emfdc_polylinegon(), EMFDC_SetDIBitsToDevice(), EMFDC_StretchDIBits(), EMFDC_WriteEscape(), EMFDC_WriteNamedEscape(), EMFDRV_DeleteObject(), EMFDRV_ExtSelectClipRgn(), EMFDRV_ExtTextOut(), EMFDRV_FillRgn(), EMFDRV_FrameRgn(), EMFDRV_GdiComment(), EMFDRV_GradientFill(), EMFDRV_PaintInvertRgn(), EMFDRV_PatBlt(), EMFDRV_PolyDraw(), EMFDRV_Polylinegon(), EMFDRV_PolyPolylinegon(), EMFDRV_RestoreDC(), EMFDRV_SaveDC(), EMFDRV_StretchBlt(), emfdrv_stretchblt(), EMFDRV_StretchDIBits(), empty_dlg_proc2(), empty_dlg_proc3(), EmptyRecycleBinA(), EnableDeviceInstance(), encode_auth_data(), encode_compare_base64_W(), encodeAndCompareBase64_A(), EncodeBinaryToBinaryA(), EncodeBinaryToBinaryW(), XMLStorage::EncodeXMLString(), EncryptFileA(), EncryptMessage(), end_host_object(), EndUpdateResourceW(), EngCopyBits(), EngGradientFill(), ensure_prop_name(), ensure_useragent(), enum_all_fonts_proc(), enum_emf_WorldTransform(), enum_metafile_proc(), Enum_Release(), enum_store_callback(), enum_thread(), EnumCATEGORYINFO_Construct(), EnumColorProfilesA(), EnumColorProfilesW(), EnumDirTree(), EnumDisplayMonitors(), EnumEnhMetaFile(), EnumerateRecycleBinA(), EnumerateRunningServices(), EnumerateSecurityPackagesA(), EnumerateSecurityPackagesW(), EnumFORMATETC_Create(), EnumFormatImpl_Create(), ATL::CRegKey::EnumKey(), EnumPrinterDataExA(), EnumPrinterDriversA(), EnumPropsA(), EnumPropsExA(), EnumPropsExW(), EnumPropsW(), EnumPt_Release(), EnumResourceLanguagesA(), EnumResourceLanguagesW(), EnumResourceNamesA(), EnumResourceNamesW(), EnumResourceTypesA(), EnumResourceTypesW(), EnumTfContext_Release(), EnumTfDocumentMgr_Release(), EnumTfInputProcessorProfiles_Clone(), EnumTfLanguageProfiles_Release(), MapTest::equal_range(), equal_values(), errmsg(), errmsgno(), errmsgstr(), error(), Error_toString(), escape_string(), escape_url(), eto_emf_enum_proc(), EventLogProperties(), exclPrefixPop(), exec_hyperlink(), exec_script(), CStartMenuSite::Execute(), execute_command(), Exit(), expect_buf_offset_dbg(), export_acquire_private_key(), export_file_dlg_proc(), export_finish_dlg_proc(), export_format_dlg_proc(), export_hkey(), export_info_has_private_key(), export_is_key_exportable(), export_password_dlg_proc(), export_private_key_dlg_proc(), export_validate_filename(), export_welcome_dlg_proc(), ExportBinaryHive(), ExportSecurityContext(), ext2_alloc_block(), ext2_get_free_blocks(), ext2_new_block(), ext2_new_inode(), Ext2OverwriteEa(), Ext2SetEa(), ext3_find_entry(), ext4_ext_truncate(), ext4_ext_zeroout(), ext4_find_extent(), ext4_fs_get_xattr(), ext4_fs_put_xattr_ref(), ext4_fs_set_xattr(), ext4_fs_set_xattr_ordered(), ext4_fs_xattr_iterate(), ext4_xattr_block_fetch(), ext4_xattr_entry_data(), ext4_xattr_fetch(), ext4_xattr_inode_fetch(), ext4_xattr_remove_item(), ext4_xattr_resize_item(), ext4_xattr_try_alloc_block(), ext4_xattr_write_to_disk(), extfmt_default_dbg_vlog(), extract_cabinet(), extract_cabinet_stream(), extract_gcc_dll(), extract_msvc_dll(), extract_one(), ExtractAssociatedIconExA(), ExtractIconA(), ExtractIconExA(), ExtractIconExW(), ExtractIconW(), ExtractTTFFile(), ExtractZipImage(), ExtractZipInfo(), ExtTextOutA(), fci_delete(), fci_seek(), fclose_file_func(), FD31_CallWindowProc(), feed_more(), ferror_file_func(), fetch_long(), fetch_short(), fetch_ulong(), fetch_ushort(), ffileread(), FGetComponentPath(), fgetwc(), FiberMainProc(), File_RetrieveEncodedObjectW(), FileCompare(), FileCompareBothWild(), FileCompareOneSideWild(), FileCompareWildTitle(), FILEDLG95_FILENAME_FillFromSelection(), FILEDLG95_MRU_get_slot(), FILEDLG95_MRU_save_filename(), FILEDLG95_OnOpen(), FileEncryptionStatusA(), FileLockBytesImpl_ReadAt(), FileLockBytesImpl_WriteAt(), FileMenu_AppendItemAW(), FileMonikerImpl_CommonPrefixWith(), FileMonikerImpl_DecomposePath(), FilenameA2W_N(), FilenameU2A_FitOrFail(), FilenameW2A_N(), fileopen(), FileProtocol_Construct(), filesys_BuildPath(), filesys_CreateFolder(), filesys_FileExists(), filesys_FolderExists(), filesys_GetFileVersion(), filesys_GetSpecialFolder(), FileSystemBindData_GetFindData(), FileSystemBindData_SetFindData(), fill_networkadapter(), fill_networkadapterconfig(), fill_service(), FillServerAddressCombo(), XMLStorage::XMLNode::filter(), monoChain::find(), find_arb_pshader(), find_arb_vshader(), find_cert_by_issuer(), find_entry(), find_entry_language(), find_glsl_domain_shader(), find_glsl_geometry_shader(), find_glsl_hull_shader(), find_glsl_pshader(), find_glsl_vshader(), find_installed_font(), find_key_prov_info_in_provider(), find_matching_provider(), find_mime_from_buffer(), find_mime_from_ext(), find_mime_from_url(), find_oid_in_list(), find_pe_resource(), find_policy_qualifier(), find_primary_mon(), find_prop(), find_prop_name(), find_prop_name_prot(), find_registry_key(), find_rr(), find_security_package(), find_sid_str(), find_word_end(), FindActCtxSectionStringA(), FindContextAlias(), FindHandler(), FindMRUData(), FindMRUStringA(), FindNextVolumeA(), CKsProxy::FindPin(), findPropID(), FindProvTypesRegVals(), fix_px_value(), fix_url_value(), flag_to_openmode(), flatten_multi_string_values(), float_32_to_16(), FlsFree(), ATL::CRegKey::Flush(), FM2_WriteFriendlyName(), fnIMLangFontLink2_GetStrCodePages(), FoldStringA(), FoldStringW(), font_name_from_file(), forget_head_shift(), Format(), format_insert(), format_namespace(), format_replace(), FormatConverter_CreateInstance(), FormatConverterInfo_Constructor(), FormatDateTime(), FormatMessageA(), FormatMessageW(), FormatVerisignExtension(), fputs(), fputws(), frame_fuzzy_find(), fread_file_func(), free_handle(), free_user_entry(), FreeCredentialsHandle(), FreeUrlCacheSpaceA(), freopen(), fs_ignored(), fseek64_file_func(), fseek_file_func(), fsetpos(), FsRecIsUdfsVolume(), ft_black_render(), ftell64_file_func(), ftell_file_func(), FTP_SendCommand(), FTP_SendRetrieve(), FtpCreateDirectoryA(), FtpDeleteFileA(), FtpFindFirstFileA(), FtpGetCurrentDirectoryA(), FtpGetFileA(), FtpOpenFileA(), FtpProtocol_Construct(), FtpPutFileA(), FtpRemoveDirectoryA(), FtpRenameFileA(), FtpSetCurrentDirectoryA(), ftruncate_growable(), function_invoke(), FunctionConstr_value(), fwrite_file_func(), gdf_driver_proc(), gdi_get_font_metrics(), GdipAddPathBeziersI(), GdipCreateBitmapFromGraphics(), GdipCreateBitmapFromHICON(), GdipCreateFont(), GdipCreateFontFromLogfontW(), GdipCreateFromHWND(), GdipCreatePath2I(), GdipCreateStreamOnFile(), GdipDrawBeziersI(), GdipDrawCurve2I(), GdipDrawCurveI(), GdipDrawImageRect(), GdipDrawPolygonI(), GdipDrawRectanglesI(), GdipFillRectanglesI(), GdipGetLineRectI(), GdipGetPathGradientCenterPointI(), GdipGetPathPointsI(), GdipGetPathWorldBoundsI(), GdipMultiplyWorldTransform(), GdipPrivateAddMemoryFont(), GdipSetPenCustomEndCap(), GdipSetPenCustomStartCap(), GdipTransformMatrixPointsI(), GdipTransformPointsI(), GdipVectorTransformMatrixPointsI(), gen_arbfp_ffp_shader(), gen_ati_shader(), gen_xa_attr(), GenerateDeviceID(), generic_head_read(), generic_head_shift(), get_16bpp_format(), get_adapters(), get_antecedent(), get_argreg(), get_assembly_version(), get_base_name(), get_base_url(), get_baseboard_manufacturer(), get_baseboard_product(), get_baseboard_serialnumber(), get_baseboard_version(), get_basetype(), get_binaryrepresentation(), get_bios_manufacturer(), get_bios_releasedate(), get_bios_smbiosbiosversion(), get_bitsperpixel(), get_body_text(), get_bool_property(), get_builtin_accessible_obj(), get_builtin_func(), get_builtin_id(), get_cabinet_filename(), get_cache_path(), get_callback_iface(), get_cert_common_name(), get_child_count(), get_child_index(), get_child_node(), get_class_string(), get_classes_root_hkey(), get_clean_line(), get_client_info(), get_codeset(), get_color_format(), get_combobox_info(), get_comp_length(), get_compsysproduct_identifyingnumber(), get_compsysproduct_name(), get_compsysproduct_uuid(), get_compsysproduct_vendor(), get_compsysproduct_version(), get_computer_name(), get_computername(), get_cookie_header(), get_countrycode(), get_create_time(), get_cred_mgr_encryption_key(), get_current_group(), get_current_owner(), get_default_proxy_reg_value(), get_defaultipgateway(), get_delegating_vtbl(), get_dirid_subst(), get_diskdrivetodiskpartition_pairs(), get_dispids(), get_display_frequency(), get_dnsserversearchorder(), get_doc_elem_by_id(), get_doc_ready_state(), get_document_charset(), get_drive_connection(), get_dynamic_prop(), get_elem(), get_elem_attr_value_by_dispid(), get_elem_by_id(), get_elem_clsid(), get_elem_source_index(), get_elem_style(), get_encoder_clsid(), get_end_point(), get_escaped_string(), get_eventiface_info(), get_file_sizes_cab(), get_file_sizes_lz(), get_file_version(), get_first_last_from_cmap(), get_font_dpi(), get_font_fsselection(), get_font_size(), get_format(), get_frame_by_index(), get_frame_by_name(), get_func_obj_entry(), get_glyph_index(), get_glyph_index_symbol(), get_glyph_indices(), get_header_size(), get_host_header(), get_icon_size(), get_ini_file_name(), get_input_codepage(), get_integer(), get_interface_index(), get_ioinfo(), get_ioinfo_alloc_fd(), get_ioinfo_nolock(), get_ip4_string(), get_ipaddress(), get_ipsubnet(), get_item_idx(), get_language_string(), get_lastbootuptime(), get_lcid_codepage(), get_length(), get_length_mbs_utf8(), get_length_mbs_utf8_compose(), get_length_sbcs(), get_local_server_stream(), get_localdatetime(), get_locale(), get_location(), get_location_url(), get_logicaldisktopartition_pairs(), get_mac_address(), get_menu_style(), get_mesh_data(), get_metafile_bits(), get_method_name(), get_mime_clsid(), get_mime_filter(), get_mmioFromFile(), get_modifier(), get_moniker_uri(), get_node(), get_node_obj(), get_node_text(), get_nscategory_entry(), get_nt_pathW(), get_number(), get_object_dll_path(), get_object_text(), get_objmap_entry(), get_onevalue(), get_operatingsystemsku(), get_osbuildnumber(), get_oscaption(), get_osname(), get_osversion(), ShellEntry::get_path(), get_pixelsperxlogicalinch(), get_plugin_disp(), get_plugin_dispid(), get_pnpdeviceid(), get_pos_rect(), get_printer_ic(), get_priv_data(), get_privateprofile_sectionkey(), get_privilege_count(), get_processor_currentclockspeed(), get_processor_maxclockspeed(), get_products_count(), get_prop(), get_property(), get_propval(), get_protocol_cf(), get_protocol_handler(), get_protocol_info(), get_proxy_autoconfig_url(), get_redirect_url(), get_reg_dword(), get_reg_str(), get_region_hrgn(), get_registry_locale_info(), get_request_path(), get_root_key(), get_rva(), get_safearray_size(), get_script_from_file(), get_script_guid(), get_script_str(), get_settingid(), CShellItem::get_shellfolder(), get_sid_info(), get_size_image(), get_start_point(), get_string(), get_string_subst(), get_style_from_elem(), get_system_propval(), get_system_proxy_autoconfig_url(), get_systemdirectory(), get_systemdrive(), get_systemenclosure_chassistypes(), get_systemenclosure_manufacturer(), get_temp_buffer(), get_text_length(), get_threading_model(), get_top_window(), get_ttf_nametable_entry(), get_typeinfo(), get_unicode_text(), get_uri_nofrag(), get_uri_obj(), get_uri_string(), get_url(), get_user_sid(), get_useragent(), get_username(), get_value_bstr(), get_vbscript_error_string(), get_versioned_classname(), get_volume_space_required(), utf_converter::get_wchar_t(), get_weight(), get_win_sys_menu(), GetActivateFlags(), GetActiveObject(), GetAdaptersInfo(), GetAddress(), GetAdvertisedArg(), getallargs(), CImageDx::GetAllEncoders(), GetAllInstanceList(), GetAllInstanceListSize(), getargs(), GetBatchVar(), GetBestInterface(), GetBestRoute(), GetBootResourceList(), CTooltips::GetBubbleSize(), GetCalendarInfoA(), GetCalendarInfoW(), getChain(), GetCharABCWidthsA(), GetCharABCWidthsFloatA(), GetCharacterPlacementA(), GetCharacterPlacementW(), GetCharWidth32A(), GetCharWidthA(), GetCharWidthFloatA(), getChildString(), getChildStringW(), GetClassFile(), GetColorDirectoryA(), GetColorProfileElement(), GetColorProfileElementTag(), GetColorProfileFromHandle(), CQueryAssociations::GetCommand(), getCommandLineFromProcess(), GetComputerNameA(), GetComputerNameExW(), GetComputerNameW(), GetCORSystemDirectory(), GetCORVersion(), GetCountColorProfileElements(), GetDefaultCommConfigA(), GetDelayMilliseconds(), GetDeletedFileDetailsA(), CFontExt::GetDetailsOf(), GetDeviceAndComputerName(), GetDeviceInstanceKeyPath(), GetDeviceInstanceList(), GetDeviceStatus(), GetDiskInfoA(), GetDlgItem(), getdlgitem_test_dialog_proc(), GetDriverFlags(), GetEnumeratorInstanceList(), GetEnumeratorInstanceListSize(), GetEnvVar(), GetEnvVarOrSpecial(), GetExpandedNameA(), GetExpandedNameW(), GetExtendedTcpTable(), GetExtendedTcpTableWithAlloc(), GetExtendedUdpTable(), GetExtendedUdpTableWithAlloc(), GetFileDialog95(), GetFileNameFromBrowse(), GetFileNamePreview(), GetFilePatchSignatureA(), GetFilePatchSignatureByHandle(), GetFilePatchSignatureW(), GetFileTitleA(), GetGlyphOutlineA(), CDefCompFrameWindow::GetGripperWidth(), GetHash(), GetICMProfileA(), GetIcmpStatistics(), GetIfEntry(), GetIfTable(), getInterfaceIndexTableInt(), GetInterfaceInfo(), GetIpAddrTable(), GetIpForwardTable(), GetIpNetTable(), GetIpStatisticsEx(), getit(), getItemAndInstanceFromTable(), getItemAndIntegerInstanceFromOid(), CTreeView::GetItemData(), CListView::GetItemData(), getItemFromOid(), CListView::GetItemSpacing(), ATL::CRegKey::GetKeySecurity(), GetKlList(), getlallargs(), getlargs(), GetLoadFlags(), GetLocaleInfoA(), GetLocaleInfoW(), GetMenuItemInfoA(), GetMenuItemInfoW(), getnetid(), GetNetworkParams(), GetNumberOfInterfaces(), GetOutlineTextMetricsA(), GetPhysicalFontHeight(), ATL::CImage::GetPixel(), GetPixel(), GetPrinterDriverDirectoryA(), GetPrivateProfileSectionA(), GetPrivateProfileSectionNamesA(), GetPrivateProfileSectionNamesW(), GetPrivateProfileSectionW(), GetPrivateProfileStringA(), GetPrivateProfileStringW(), GetPrivateProfileStructA(), GetPrivateProfileStructW(), GetProtoOpenNetworkDatabase(), getpublicandprivatekey(), CAutoComplete::GetQuickEdit(), GetRecordInfoFromTypeInfo(), GetRelationsInstanceList(), GetRelationsInstanceListSize(), GetRequestedRuntimeInfo(), GetRoleTextW(), GetSectionCallback(), GetServiceInstanceList(), GetServiceInstanceListSize(), GetShellSecurityDescriptor(), GetStandardColorSpaceProfileA(), GetStateTextA(), GetStateTextW(), CQueryAssociations::GetString(), GetStringField(), GetStringTypeA(), CShellDispatch::GetSystemInformation(), GetTabbedTextExtentA(), GetTcpStatisticsEx(), GetTemplateSize(), GetTempPathA(), GetTempPathW(), GetTextExtentPoint32A(), GetTextExtentPointA(), GetThemeServiceProcessHandle(), GetThemeSysBool(), GetThreadLocale(), GetUdpStatisticsEx(), GetUrlCacheEntryInfoExW(), GetUserGeoID(), GetUserObjectInformationA(), getvallargs(), CQueryAssociations::GetValue(), GetVersionInformationFromInfFile(), GetWideString(), GetWidthOfCharCJK(), GetWinMetaFileBits(), GifDecoder_CreateInstance(), GifDecoder_Initialize(), GifEncoder_CreateInstance(), GifEncoder_CreateNewFrame(), Global_Hex(), global_idx(), Global_InStr(), Global_InStrRev(), Global_Left(), Global_MonthName(), Global_Oct(), Global_Right(), Global_StrComp(), Global_StrReverse(), Global_WeekdayName(), globalcompare(), GopherProtocol_Construct(), grab_clipboard_process(), grab_memory(), GreGetDIBitsInternal(), GRPFILE_WriteGroupFile(), gtStripContig(), gtStripSeparate(), gtTileContig(), gtTileSeparate(), guess_freeformat_framesize(), guiAsk(), gz_comp(), gz_decomp(), gz_init(), gz_load(), gzclose_r(), gzclose_w(), gzoffset(), gzseek(), gzseek64(), gztell(), h16tous(), h_add_match(), handle_apetag(), handle_data(), handle_findmsg(), handle_id3v2(), handle_method(), handle_redirect(), HandleLogon(), HandlePrintPasswdChar(), HandlePrintReturnHex(), HandlePrintReturnStr(), HandleRethrown1(), HandleRethrown2(), HandleSetHandlePrintHex(), has_all_extensions_removed(), HasPrefix(), HasSubFolder(), HCR_GetClassNameA(), HCR_GetClassNameW(), HCR_GetExecuteCommandW(), HCR_GetIconA(), HCR_GetIconW(), header_cb(), HEADER_DrawItem(), header_from_file(), header_item_getback(), HEADER_SetRedraw(), header_subclass_proc(), heap_flags_from_global_flag(), heap_pool_grow(), heap_strdup(), heap_strdupA(), heap_strdupAtoW(), heap_strdupUtoW(), heap_strdupW(), heap_strdupWtoA(), heap_strdupWtoU(), heap_strdupWtoUTF8(), heap_strndupAtoW(), heap_strndupW(), heap_strndupWtoU(), hex_clr(), hex_to_address(), hex_to_tid(), HGLOBAL_UserSize(), hierarchy_dlg_proc(), hlink_co_strdupW(), hlink_strdupW(), HlinkCreateExtensionServices(), HLPFILE_BPTreeSearch(), HLPFILE_BrowseParagraph(), HLPFILE_DoReadHlpFile(), HLPFILE_RtfAddBitmap(), HLPFILE_RtfAddMetaFile(), HLPFILE_RtfAddTransparentBitmap(), HotkeyMsgCheckProcA(), hour_from_time(), HTMLAnchorElement_Create(), HTMLAreaElement_Create(), HTMLBodyElement_Create(), HTMLBodyElement_get_scroll(), HTMLButtonElement_Create(), HTMLCommentElement_Create(), HTMLCurrentStyle_Create(), HTMLDocument_execCommand(), HTMLDocument_get_title(), HTMLDocumentFragment_clone(), HTMLDOMAttribute_Create(), HTMLDOMAttribute_put_nodeValue(), HTMLDOMChildrenCollection_get__newEnum(), HTMLDOMNode_clone(), HTMLDOMTextNode_clone(), HTMLDOMTextNode_Create(), HTMLElement_clone(), HTMLElement_Create(), HTMLElementCollection_Create(), HTMLElementCollection_get__newEnum(), HTMLEmbedElement_Create(), HTMLEventObj_get_altKey(), HTMLEventObj_get_ctrlKey(), HTMLEventObj_get_shiftKey(), HTMLFiltersCollection_Create(), htmlform_item(), HTMLFormElement_Create(), HTMLFormElement_invoke(), HTMLFrameBase_get_marginHeight(), HTMLFrameBase_get_marginWidth(), HTMLFrameElement_Create(), HTMLGenericElement_Create(), HTMLHeadElement_Create(), HTMLIFrame_Create(), HTMLImageElementFactory_Create(), HTMLImgElement_Create(), HTMLInputElement_Create(), HTMLInputElement_is_text_edit(), HTMLLabelElement_Create(), HTMLLinkElement_Create(), HTMLLinkElement_get_disabled(), HTMLLoadOptions_Create(), HTMLLocation_Create(), HTMLLocation_get_href(), HTMLLocation_get_protocol(), HTMLMetaElement_Create(), HTMLObjectElement_Create(), HTMLObjectElement_QI(), HTMLOptionElement_Create(), HTMLOptionElementFactory_Create(), HTMLOuterWindow_Create(), HTMLPrivateWindow_FindWindowByName(), HTMLScreen_Create(), HTMLScriptElement_Create(), htmlselect_item(), HTMLSelectElement_Create(), HTMLSelectElement_invoke(), HTMLSelectionObject_Create(), HTMLStyle_Create(), HTMLStyle_get_backgroundPositionX(), HTMLStyle_get_backgroundPositionY(), HTMLStyle_removeAttribute(), HTMLStyle_setAttribute(), HTMLStyleElement_Create(), HTMLStyleSheet_Create(), HTMLStyleSheetRulesCollection_Create(), HTMLStyleSheetsCollection_Create(), HTMLTable_Create(), HTMLTableCell_Create(), HTMLTableRow_Create(), HTMLTextAreaElement_Create(), HTMLTitleElement_Create(), HTMLTxtRange_compareEndPoints(), HTMLTxtRange_Create(), HTMLXMLHttpRequest_getResponseHeader(), HTMLXMLHttpRequestFactory_Create(), HTMLXMLHttpRequestFactory_create(), HTTP_Connect(), HTTP_HttpOpenRequestW(), HTTP_ParseDate(), HTTP_RetrieveEncodedObjectW(), HTTP_ShouldBypassProxy(), HttpHeaders_test(), HTTPREQ_LockRequestFile(), HTTPREQ_QueryOption(), HttpSendRequestEx_test(), i_add_match(), I_CryptDetachTls(), I_CryptFreeTls(), I_CryptInstallOssGlobal(), I_CryptReadTrustedPublisherDWORDValueFromRegistry(), IAMMultiMediaStreamImpl_OpenFile(), ICCompressorChoose(), ICDecompress(), ICGetInfo(), ICO_ExtractIconExW(), IcoDecoder_CreateInstance(), IContextMenu_Invoke(), ICSeqCompressFrame(), ICSeqCompressFrameStart(), icy_fullread(), ID3DXFontImpl_DrawTextA(), ID3DXFontImpl_DrawTextW(), identifier_eval(), IDeskDisplayAdapter_AddRef(), IDeskDisplayAdapter_Release(), IDeskMonitor_AddRef(), IDeskMonitor_Release(), IDirectInputDevice2WImpl_GetDeviceData(), IEnumDMO_fnNext(), IEWinMain(), IfTableSorter(), IHlinkBC_GetHlink(), ILFindChild(), ILGetDisplayNameExA(), ILGetDisplayNameExW(), ILLoadFromStream(), ILSaveToStream(), image_check_alternate(), image_check_debug_link(), image_list_add_bitmap(), image_nt_header(), ImageGetDigestStream(), IMAGEHLP_GetSecurityDirOffset(), IMAGEHLP_RecalculateChecksum(), IMAGEHLP_ReportCodeSections(), IMAGEHLP_ReportImportSection(), IMAGEHLP_SetSecurityDirOffset(), ImageList_AddAlphaIcon(), ImageList_AddMasked(), ImageList_ReplaceIcon(), ImageListImpl_Add(), ImageListImpl_AddMasked(), ImageListImpl_Clone(), ImageListImpl_Copy(), ImageListImpl_CreateInstance(), ImageListImpl_Draw(), ImageListImpl_GetDragImage(), ImageListImpl_Merge(), ImageListImpl_ReplaceIcon(), ImageListImpl_SetDragCursorImage(), ImageRemoveCertificate(), ImagingFactory_CreateInstance(), ImeToAsciiEx(), ImeWindowProc(), ImeWnd_OnImeNotify(), ImeWnd_OnImeSetContext(), ImeWnd_OnImeSystem(), ImeWndProc_common(), IMLangFontLink_Test(), Imm32CompStrAnsiToWide(), Imm32CompStrWideToAnsi(), Imm32CopyImeFile(), Imm32EnumWordProcA2W(), Imm32EnumWordProcW2A(), Imm32GetImeMenuItemWInterProcess(), Imm32ImeMenuAnsiToWide(), Imm32ImeMenuWideToAnsi(), Imm32IsImcAnsi(), Imm32LoadIME(), Imm32LoadImeLangAndDesc(), Imm32LoadImeVerInfo(), Imm32ProcessHotKey(), Imm32ProcessRequest(), Imm32ReleaseIME(), Imm32StoreBitmapToBytes(), ImmCallImeConsoleIME(), ImmConfigureIMEA(), ImmConfigureIMEW(), ImmEnumInputContext(), ImmEnumRegisterWordA(), ImmEnumRegisterWordW(), ImmEscapeA(), ImmEscapeW(), ImmGetCandidateListAW(), ImmGetCandidateListCountAW(), ImmGetCandidateWindow(), ImmGetCompositionFontA(), ImmGetCompositionFontW(), ImmGetCompositionStringA(), ImmGetCompositionStringW(), ImmGetCompositionWindow(), ImmGetConversionListA(), ImmGetConversionListW(), ImmGetGuideLineAW(), ImmGetIMCLockCount(), ImmGetImeMenuItemsAW(), ImmGetOpenStatus(), ImmGetRegisterWordStyleA(), ImmGetRegisterWordStyleW(), ImmGetStatusWindowPos(), ImmGetVirtualKey(), ImmNotifyIME(), ImmProcessKey(), ImmPutImeMenuItemsIntoMappedFile(), ImmRegisterWordA(), ImmRegisterWordW(), ImmRequestMessageAW(), ImmSetCompositionStringAW(), ImmSimulateHotKey(), ImmTranslateMessage(), ImmUnregisterWordA(), ImmUnregisterWordW(), ImmWINNLSEnableIME(), ImpersonateSecurityContext(), import_cert(), import_certs_from_dir(), import_certs_from_file(), import_certs_from_path(), import_crl(), import_ctl(), import_file(), import_file_dlg_proc(), import_finish_dlg_proc(), import_private_key(), import_public_key(), import_reg(), import_store(), import_store_dlg_proc(), import_validate_filename(), import_welcome_dlg_proc(), ImportSecurityContextA(), ImportSecurityContextW(), InatCreateIconBySize(), include_pac_utils(), CDefView::IncludeObject(), FxIoTarget::IncrementIoCount(), indent_printf(), InfIsFromOEMLocation(), inflate(), inflateBack(), inflateInit2(), inflateInit2_(), inflateSetDictionary(), ATL::CImage::CInitGDIPlus::Init(), CQueryAssociations::Init(), init(), init_detail_page(), init_hierarchy_page(), init_set_constants_param(), init_tbsize_result(), init_texthost(), initFileFromData(), CDesktopFolderEnum::Initialize(), CVfdShExt::Initialize(), InitializeDefaultUserLocale(), InitializeSAS(), InitializeSecurityContextA(), InitializeSecurityContextW(), InitImageList(), InitSettings(), InitShellServices(), InputList_Remove(), InputList_RemoveByLang(), inputPop(), InputProcessorProfiles_Release(), insendmessage_wnd_proc(), set< _Key,, >::insert(), insert_chunk_item(), insert_menu_item(), inst_func2(), Install(), install_assembly(), install_from_registered_dir(), install_from_unix_file(), install_policy(), install_wine_gecko(), InstallColorProfileA(), InstallCurrentDriver(), InstallDevInstEx(), InstallerImpl_InstallProduct(), InstallerImpl_OpenDatabase(), InstallerImpl_OpenPackage(), InstallerImpl_ProductInfo(), InstallerImpl_RegistryValue(), InstallerImpl_SummaryInformation(), InstallHinfSectionW(), InstallInfSections(), InstallOneService(), InstallPerfDllA(), InstallReactOS(), instrlen(), Int64ToString(), int_to_table_storage(), IntAnimatePalette(), IntArc(), IntAssociateInputContextEx(), IntBroadcastSystemMessage(), IntCheckImeShowStatus(), IntDeleteRecursive(), IntDestroyMenuObject(), IntEngAlphaBlend(), IntEngLineTo(), IntEngMaskBlt(), IntEngPolyline(), IntEngStretchBlt(), InteractiveConsole(), Internal_CreatePalette(), Internal_CreateSurface(), INTERNET_FindProxyForProtocol(), INTERNET_LoadProxySettings(), INTERNET_SaveProxySettings(), InternetCrackUrl_test(), InternetCrackUrlA(), InternetCrackUrlW(), InternetCreateUrlA(), InternetCreateUrlA_test(), InternetExplorer_Create(), InternetExplorerManager_Create(), InternetFindNextFileA(), InternetGetCookieExW(), InternetGetProxyInfo(), InternetHostSecurityManager_QueryCustomPolicy(), InternetLockRequestFile_test(), InternetOpenRequest_test(), InternetOpenUrlA_test(), InternetOpenUrlW(), InternetProtocolInfo_ParseUrl(), InternetSetCookieExW(), InternetSetOptionW(), InternetTimeFromSystemTimeA(), InternetTimeFromSystemTimeA_test(), InternetTimeFromSystemTimeW_test(), InternetTimeToSystemTimeA(), InternetTimeToSystemTimeA_test(), InternetTimeToSystemTimeW_test(), InternetTransport_Connect(), InternetTransport_Write(), interp_add(), interp_delete(), interp_delete_ident(), interp_in(), interp_instanceof(), interp_preinc(), interp_typeof(), interp_typeofid(), interp_typeofident(), InterpretedFunction_toString(), IntFillArc(), IntGdiGetRgnBox(), IntGdiPolyBezier(), IntGdiPolyBezierTo(), IntGdiPolygon(), IntGdiPolylineTo(), IntGdiPolyPolyline(), IntGetIcdData(), IntGetImeHotKeyByKey(), IntGetKeyboardLayoutList(), IntGetMenuDefaultItem(), IntImmProcessKey(), IntPatBlt(), IntRectangle(), IntRoundRect(), IntSendMessageToUI(), IntSetOwner(), IntSetupDiSetDeviceRegistryPropertyAW(), IntTrackPopupMenuEx(), IntUpdateLayeredWindowI(), CVfdShExt::InvokeCommand(), CRecycleBinItemContextMenu::InvokeCommand(), invoketest_QueryInterface(), IpAddrTableSorter(), IpForwardTableSorter(), IpNetTableSorter(), ipv4toui(), is_below_comctl_5(), is_elem_name(), is_elem_tag(), is_font_available(), is_font_enumerated(), is_font_installed(), is_font_installed_fullname(), is_full_path(), is_gecko_path(), is_guid(), is_in_strarray(), is_module_registered(), is_mounted_multi_device(), is_primitive_type(), is_process_elevated(), is_process_limited(), is_supported_algid(), is_supported_doc_mime(), is_tree_unique(), is_truetype_font_installed(), is_uninstallable(), is_valid_handle(), is_valid_oid(), is_win_xp(), is_wine_loader(), IsAcpiComputer(), IsBlockFromHeap(), IsColorProfileTagPresent(), IsColorProfileValid(), IsConsoleShell(), IsDriveFloppyW(), CImageDx::IsExtensionSupported(), IsLiveCD(), iso_dir_ents(), IsPidlFolder(), IsUrlCacheEntryExpiredW(), IsValidVariantClearVT(), IsValidVariantCopyIndVT(), IsWindowActive(), IsWindowsOS(), ITERATE_InstallService(), ITERATE_RemoveExistingProducts(), ITERATE_RemoveFiles(), iterate_section_fields(), ITextHostImpl_TxDeactivate(), ITextHostImpl_TxGetClientRect(), ITextRange_fnCanEdit(), ITextRange_fnCanPaste(), ITextRange_fnInRange(), ITextRange_fnInStory(), ITextRange_fnIsEqual(), ITextSelection_fnCanEdit(), ITextSelection_fnCanPaste(), ITextSelection_fnInRange(), ITextSelection_fnInStory(), ITextSelection_fnIsEqual(), ITSProtocol_create(), ITypeInfo_fnGetIDsOfNames(), IUnknown_UIActivateIO(), j_add_match(), joliet_sort_tree(), journal_alloc_journal_head(), journal_bmap(), journal_init(), journal_init_caches(), joyGetDevCapsA(), joyGetNumDevs(), joystick_map_axis(), js_error(), js_fprintf(), js_printf(), jsdisp_next_prop(), JSGlobal_decodeURI(), JSGlobal_decodeURIComponent(), JSGlobal_encodeURI(), JSGlobal_encodeURIComponent(), JSGlobal_escape(), JSGlobal_isFinite(), JSGlobal_isNaN(), JSGlobal_parseInt(), JSGlobal_ScriptEngine(), JSGlobal_unescape(), JSON_parse(), JSON_stringify(), JSPROXY_InternetInitializeAutoProxyDll(), jsstr_alloc_buf(), jsstr_alloc_len(), jsstr_cmp(), jsstr_cmp_str(), jsstr_concat(), jsstr_substr(), jsval_bool(), jsval_disp(), jsval_null(), jsval_number(), jsval_strict_equal(), jsval_string(), jsval_undefined(), KbdLLHookProc(), KdbpPrintDisasm(), kernel32_find(), KeyboardApplet(), KeyboardCallback(), KeyEventSink_Release(), KillComProcesses(), l_to_a(), LangBarMgr_Release(), largeintcmp(), ShellEntry::launch_entry(), lcmap_string(), LCMapStringA(), LCMapStringEx(), ldap_add_ext_sA(), ldap_add_ext_sW(), ldap_add_extA(), ldap_add_extW(), ldap_add_sA(), ldap_add_sW(), ldap_addA(), ldap_addW(), ldap_bind_sA(), ldap_bind_sW(), ldap_bindA(), ldap_bindW(), ldap_check_filterA(), ldap_compare_ext_sA(), ldap_compare_ext_sW(), ldap_compare_extA(), ldap_compare_extW(), ldap_compare_sA(), ldap_compare_sW(), ldap_compareA(), ldap_compareW(), ldap_control_freeA(), ldap_control_freeW(), ldap_controls_freeA(), ldap_controls_freeW(), ldap_count_valuesA(), ldap_count_valuesW(), ldap_create_page_controlA(), ldap_create_sort_controlA(), ldap_create_sort_controlW(), ldap_create_vlv_controlA(), ldap_create_vlv_controlW(), ldap_delete_ext_sA(), ldap_delete_ext_sW(), ldap_delete_extA(), ldap_delete_extW(), ldap_delete_sA(), ldap_delete_sW(), ldap_deleteA(), ldap_deleteW(), ldap_dn2ufnA(), ldap_dn2ufnW(), ldap_encode_sort_controlA(), ldap_encode_sort_controlW(), ldap_explode_dnA(), ldap_explode_dnW(), ldap_extended_operation_sA(), ldap_extended_operation_sW(), ldap_extended_operationA(), ldap_extended_operationW(), ldap_first_attributeA(), ldap_first_attributeW(), ldap_get_dnA(), ldap_get_dnW(), ldap_get_optionA(), ldap_get_optionW(), ldap_get_paged_count(), ldap_get_values_lenA(), ldap_get_values_lenW(), ldap_get_valuesA(), ldap_get_valuesW(), ldap_modify_ext_sA(), ldap_modify_ext_sW(), ldap_modify_extA(), ldap_modify_extW(), ldap_modify_sA(), ldap_modify_sW(), ldap_modifyA(), ldap_modifyW(), ldap_modrdn2_sA(), ldap_modrdn2_sW(), ldap_modrdn2A(), ldap_modrdn2W(), ldap_modrdn_sA(), ldap_modrdn_sW(), ldap_modrdnA(), ldap_modrdnW(), ldap_next_attributeA(), ldap_next_attributeW(), ldap_parse_extended_resultA(), ldap_parse_extended_resultW(), ldap_parse_page_controlA(), ldap_parse_page_controlW(), ldap_parse_referenceA(), ldap_parse_referenceW(), ldap_parse_resultA(), ldap_parse_resultW(), ldap_parse_sort_controlA(), ldap_parse_sort_controlW(), ldap_parse_vlv_controlA(), ldap_parse_vlv_controlW(), ldap_rename_ext_sA(), ldap_rename_ext_sW(), ldap_rename_extA(), ldap_rename_extW(), ldap_sasl_bind_sA(), ldap_sasl_bind_sW(), ldap_sasl_bindA(), ldap_sasl_bindW(), ldap_search_ext_sA(), ldap_search_ext_sW(), ldap_search_extA(), ldap_search_extW(), ldap_search_sA(), ldap_search_stA(), ldap_search_stW(), ldap_search_sW(), ldap_searchA(), ldap_searchW(), ldap_set_optionA(), ldap_set_optionW(), ldap_simple_bind_sA(), ldap_simple_bind_sW(), ldap_simple_bindA(), ldap_simple_bindW(), ldap_start_tls_sA(), ldap_start_tls_sW(), ldap_ufn2dnA(), ldap_ufn2dnW(), less_eval(), lffromreg(), LibTCPBind(), LibTCPClose(), LibTCPConnect(), LibTCPListen(), LibTCPSend(), LibTCPShutdown(), LibTCPSocket(), Link(), list_next(), list_prev(), LISTBOX_Directory(), listbox_hook_proc(), LISTBOX_InsertString(), LISTBOX_lstrcmpiW(), LISTBOX_SetCount(), LISTBOX_WindowProc(), listbox_wnd_proc(), ListBoxWndProc_common(), LISTVIEW_IsItemVisible(), LISTVIEW_SetItemState(), listview_subclass_proc(), load_articulation(), load_blackbox(), load_config_driver(), load_data(), load_devices_from_reg(), load_gecko(), load_mesh_data(), load_mime_message(), load_nls(), load_profile(), load_region(), load_resource(), load_string(), load_ttf_name_id(), load_v6_module(), load_wine_gecko(), LoadCurrentLocale(), LoadCurrentScheme(), LoadGina(), LoadLibraryShim(), LoadPerfCounterTextStringsA(), LoadResource(), LoadUserProfileW(), LoadWinTypeFromCHM(), local_server_thread(), LocaleDlgProc(), log_start_commit(), logical_physical(), LogoffShutdownThread(), LogonUserExA(), lookup_global_members(), lookup_handle(), lookup_manifest_file(), LookupAccountNameA(), LookupAccountSidW(), LookupPrivilegeDisplayNameA(), LookupPrivilegeNameA(), LpkGetCharacterPlacement(), LS_ThreadProc(), LZCopy(), LZInit(), LZOpenFileW(), macho_enum_modules(), macho_enum_modules_internal(), macho_load_debug_info(), macho_load_file(), macho_map_file(), macho_parse_symtab(), macho_search_and_load_file(), macho_search_loader(), macho_sect_is_code(), MACRO_ExecFile(), MACRO_Lookup(), mailslot_test(), main(), Main_DDrawSurface_Release(), Main_DirectDraw_CreatePalette(), Main_DirectDraw_CreateSurface(), Main_DirectDraw_CreateSurface4(), Main_DirectDraw_EnumDisplayModes(), Main_DirectDraw_EnumDisplayModes4(), Main_DirectDraw_SetDisplayMode2(), main_window_proc(), MainDlgProc(), MainWndCommand(), make_dc(), make_impersonation_token(), make_wstr(), Subdivider::makePatchBoundary(), MakeService(), MakeShellURLFromPathA(), MakeSignature(), map_A_to_W(), map_feature_attributes(), map_file(), map_font(), map_image_section(), map_oldps_register(), map_oldvs_register(), map_pdb_file(), map_secure_protocols(), map_W_to_A(), MapCtypeMask(), MAPISendMail(), MAPISendMailW(), marshal_record(), marshal_stgmed(), ATL::CImage::MaskBlt(), match_broken_nv_clip(), mbrlen(), mbstowcs_sbcs(), MCI_DefYieldProc(), MCI_GetDriverFromString(), MCI_GetDWord(), MCI_SCAStarter(), MCI_strdupAtoW(), MCI_SysInfo(), MCI_WriteString(), MCIAVI_ConvertFrameToTimeFormat(), MCIAVI_ConvertTimeFormatToFrame(), MCIAVI_mciGetDevCaps(), MCIAVI_mciInfo(), MCIAVI_mciPlay_thread(), MCIAVI_mciStatus(), MCIAVI_player(), MCICDA_GetDevCaps(), MCICDA_Info(), MCICDA_Open(), MCICDA_Play(), MCICDA_Seek(), MCICDA_Status(), mciDriverYield(), mciExecute(), mciGetCreatorTask(), mciGetDeviceIDA(), mciGetDeviceIDFromElementIDA(), mciGetErrorStringA(), mciGetErrorStringW(), mciLoadCommandResource(), MCIQTZ_mciSetAudio(), MCIQTZ_mciStatus(), MCIQTZ_mciWhere(), MCIQTZ_notifyThread(), mciSendCommandA(), mciSendStringA(), MCIWndCreateA(), mdi_child_wnd_proc(), mdi_frame_wnd_proc(), ME_CharFromPoint(), ME_PointFromChar(), memicmpW(), memrchrW(), memrpbrkW(), MemStore_enumContext(), menu_fill_in_init(), MENU_PtMenu(), menu_track_again_wnd_proc(), MessageBoxIndirectA(), MessageBoxTimeoutA(), MessageBoxTimeoutIndirectW(), MessageFilter_HandleInComingCall(), metadc_create_palette(), metadc_create_region(), METADC_ExtEscape(), METADC_ExtSelectClipRgn(), METADC_ExtTextOut(), metadc_poly(), METADC_Polygon(), METADC_Polyline(), METADC_PolyPolygon(), metadc_remove_handle(), METADC_SelectBrush(), METADC_SelectFont(), METADC_SelectPalette(), METADC_SelectPen(), metadc_stretchblt(), metadc_text(), metafile_get_pen_brush_data_offset(), metricfromreg(), MFDRV_CreatePalette(), MFDRV_CreateRegion(), MFDRV_DeleteObject(), MFDRV_ExtEscape(), MFDRV_ExtSelectClipRgn(), MFDRV_ExtTextOut(), MFDRV_MetaExtTextOut(), MFDRV_MetaPoly(), MFDRV_Polygon(), MFDRV_Polyline(), MFDRV_PolyPolygon(), MFDRV_RemoveHandle(), MFDRV_StretchBlt(), mib2IcmpQuery(), mib2IfEntryQuery(), mib2IfNumberInit(), mib2IfNumberQuery(), mib2IpAddrInit(), mib2IpAddrQuery(), mib2IpNetInit(), mib2IpNetQuery(), mib2IpRouteInit(), mib2IpRouteQuery(), mib2IpStatsQuery(), mib2TcpQuery(), mib2UdpEntryInit(), mib2UdpEntryQuery(), mib2UdpQuery(), MIDI_ConvertMSToTimeFormat(), MIDI_ConvertPulseToMS(), MIDI_ConvertTimeFormatToMS(), MIDI_GetMThdLengthMS(), MIDI_mciGetDevCaps(), MIDI_mciInfo(), MIDI_mciReadByte(), MIDI_mciReadLong(), MIDI_mciReadWord(), MIDI_mciStatus(), midiInGetDevCapsA(), MIDIMAP_LoadSettings(), midiOutGetDevCapsA(), midiOutGetErrorTextA(), midiOutGetErrorTextW(), midiStreamOpen(), midiStreamOut(), midiStreamPause(), midiStreamPosition(), midiStreamProperty(), midiStreamRestart(), midiStreamStop(), MimeFilter_Construct(), min_from_time(), mixerGetControlDetailsA(), mixerGetDevCapsA(), mixerGetLineControlsA(), mixerGetLineInfoA(), MkProtocol_Construct(), mktime_worker(), MMDevice_GetPropValue(), MMDevice_SetPropValue(), MMDevPropStore_OpenPropKey(), MMDRV_ExitPerType(), MMDRV_Init(), MMDRV_InitPerType(), MMDRV_Message(), MMIO_ParseExtA(), mmioDosIOProc(), mmioOpenW(), mmioRenameW(), mmr2mci(), MMSYSTEM_MidiStream_Convert(), MNLS_CompareStringW(), modClose(), modData(), modify_menu(), modLongData(), modReset(), module_get_debug(), MONO2STEREO_NAME(), MONO_NAME(), monoPolyPart(), monthcal_subclass_proc(), MouseApplet(), MouseHookProc(), MouseLLHookProc(), move_by_chars(), move_by_words(), move_file(), mpg123_clip(), mpg123_decode(), mpg123_geteq(), mpg123_getpar(), mpg123_getstate(), mpg123_par(), mru_RegDeleteTreeA(), ms_from_time(), MSACM_GetRegistryKey(), MSACM_OpenLocalDriver(), MSFT_ReadGuid(), MSFT_ReadLEDWords(), MSFT_ReadLEWords(), MsgCheckProc(), msi_apply_filepatch(), msi_atou(), msi_bind_image(), msi_check_patch_applicable(), msi_copy_file(), msi_create_assembly_enum(), msi_create_component_advertise_string(), msi_create_directory(), msi_create_full_path(), msi_create_temp_file(), MSI_DatabaseApplyTransformW(), msi_delete_file(), msi_dialog_get_style(), msi_dialog_maskedit_control(), msi_export_field(), msi_find_next_file(), msi_get_checkbox_value(), msi_get_db_suminfo(), msi_get_deformatted_field(), msi_get_disk_file_version(), msi_get_error_message(), msi_get_font_file_version(), msi_get_package_code(), msi_get_remote(), msi_get_stream(), msi_get_suminfo(), msi_init_string_table(), msi_move_file(), msi_normalize_path(), MSI_OpenDatabaseW(), MSI_ProvideQualifiedComponentEx(), MSI_RecordGetInteger(), MSI_RecordGetStringA(), MSI_RecordGetStringW(), MSI_RecordSetStreamFromFileW(), msi_remove_directory(), msi_row_matches(), msi_save_string_table(), msi_set_file_attributes(), msi_split_string(), msi_strdupW(), msi_strequal(), msi_strprefix(), msi_table_apply_transform(), msi_view_refresh_row(), MsiCloseHandle(), MsiCreateRecord(), MsiDatabaseApplyTransformA(), MsiDatabaseOpenViewW(), MsiDoActionA(), MsiDoActionW(), MsiGetComponentStateW(), MsiGetDatabaseState(), MsiGetFeatureCostW(), MsiGetFeatureStateW(), MsiGetFeatureUsageA(), MsiGetFeatureValidStatesA(), MsiGetFileVersionA(), MsiGetFileVersionW(), MsiGetShortcutTargetW(), MsiGetSummaryInformationA(), MsiGetSummaryInformationW(), msihandle2msiinfo(), msiobj_release(), MsiOpenDatabaseW(), MsiOpenPackageExA(), MsiOpenPackageExW(), MsiProcessMessage(), MsiRecordDataSize(), MsiRecordGetFieldCount(), MsiRecordGetInteger(), MsiRecordGetStringA(), MsiRecordGetStringW(), MsiRecordIsNull(), MsiRecordReadStream(), MsiRecordSetInteger(), MsiRecordSetStreamA(), MsiRecordSetStreamW(), MsiRecordSetStringA(), MsiRecordSetStringW(), MSIREG_DeleteUpgradeCodesKey(), MSIREG_OpenUserComponentsKey(), MsiSequenceA(), MsiSequenceW(), MsiSetComponentStateW(), MsiSetPropertyW(), MsiSetTargetPathW(), MsiSIPGetSignedDataMsg(), MsiSIPIsMyTypeOfFile(), MsiSourceListAddSourceA(), MsiSourceListAddSourceExA(), MsiSourceListAddSourceW(), MsiSourceListGetInfoA(), MsiSourceListSetInfoA(), MsiSummaryInfoGetPropertyCount(), MsiSummaryInfoPersist(), MsiSummaryInfoSetPropertyA(), MsiSummaryInfoSetPropertyW(), MsiUseFeatureExA(), MsiViewClose(), MsiViewExecute(), MsiViewFetch(), MsqGetDownKeyState(), MSSTYLES_TryLoadPng(), MSVCRT___RTCastToVoid(), MSVCRT___RTDynamicCast(), MSVCRT___RTtypeid(), MSVCRT__create_locale(), MSVCRT_btowc(), msvcrt_console_handler(), msvcrt_exception_filter(), msvcrt_get_file(), MSVCRT_malloc(), MSVCRT_signal(), MSVCRT_type_info_before(), MSVCRT_type_info_opequals_equals(), MSVCRT_type_info_opnot_equals(), MSVIDEO_SendMessage(), mszip_decompress(), muldiv(), MultiHeapAllocTest(), MultiHeapFreeTest(), mutant_thread(), mutex_thread_proc(), my_sprintf(), my_swprintf(), myMallocFunc(), myReallocFunc(), myRegDeleteTreeA(), myRegDeleteTreeW(), myStrdupFunc(), named_pipe_client_func(), namePop(), NativeFunction_toString(), navigate_new_window(), NavigateToUrl(), nbAStat(), nbCall(), nbCancel(), NBCmdQueueAdd(), NBCmdQueueCancel(), NBCmdQueueCancelAll(), NBCmdQueueComplete(), NBCmdQueueFindNBC(), nbCmdThread(), nbDispatch(), nbEnum(), nbGetAdapter(), nbHangup(), nbInternalHangup(), NBNameCacheAddEntry(), NBNameCacheFindEntry(), NBNameCacheWalk(), nbRecv(), nbReset(), nbResizeAdapter(), nbResizeAdapterTable(), nbSend(), nbSStat(), ndr_async_client_call(), NdrAsyncClientCall(), NdrClientCall2(), nego_AcquireCredentialsHandleA(), nego_AcquireCredentialsHandleW(), nego_ApplyControlToken(), nego_CompleteAuthToken(), nego_ImpersonateSecurityContext(), nego_InitializeSecurityContextA(), nego_RevertSecurityContext(), NETAPI_IsLocalComputer(), Netbios(), NetBIOSNumAdapters(), NetBIOSRegisterAdapter(), NetBIOSRegisterTransport(), NetBTAstat(), NetBTAstatRemote(), NetBTCall(), NetBTEnum(), NetBTEnumCallback(), NetBTFindName(), NetBTFindNameAnswerCallback(), NetBTinetResolve(), NetBTInit(), NetBTInternalFindName(), NetBTRecv(), NetBTRegisterAdapter(), NetBTSend(), NetBTSendNameQuery(), NetBTSessionReq(), NetBTStoreCacheEntry(), NetBTWaitForNameResponse(), NETCON_GetCert(), netconn_create(), netconn_get_certificate(), netconn_read(), netconn_resolve(), netconn_verify_cert(), NetpNetBiosStatusToApiStatus(), NetWkstaTransportEnum(), new_boolean_literal(), new_channel_from_uri(), new_double_literal(), NewEnumFontFamiliesExW(), CACLMulti::Next(), next_token(), next_valid_constant_name(), NLS_EnumCalendarInfo(), NLS_EnumDateFormats(), NLS_EnumTimeFormats(), nodePop(), note(), NotificationThread(), notify_click(), notify_dispinfoT(), notify_forward_header(), NotifyBalloon(), ATL::CRegKey::NotifyChangeKeyValue(), CSysPagerWnd::NotifyIcon(), CSysTray::NotifyIcon(), NP_CreateTab(), np_enum(), nscolor_to_str(), nsIOService_GetProtocolHandler(), NSPStartup(), nsstr_to_truncated_bstr(), nsstyle_to_bstr(), nsURI_Resolve(), nsuri_to_url(), ntdll_find(), NtGdiDoPalette(), NtGdiEllipse(), NtGdiEndPath(), NtGdiEscape(), NtGdiExtCreateRegion(), NtGdiFillPath(), NtGdiGetBitmapBits(), NtGdiGetBoundsRect(), NtGdiGetPath(), NtGdiGetRandomRgn(), NtGdiGetRgnBox(), NtGdiGetTextFaceW(), NtGdiGetTransform(), NtGdiPtVisible(), NtGdiRectangle(), NtGdiRoundRect(), NtGdiSetBitmapBits(), NtGdiSetBoundsRect(), NtGdiSetDIBitsToDeviceInternal(), NtGdiTransformPoints(), NtGdiUpdateColors(), ntlm_AcceptSecurityContext(), ntlm_AcquireCredentialsHandleA(), ntlm_AcquireCredentialsHandleW(), ntlm_DecryptMessage(), ntlm_FreeCredentialsHandle(), ntlm_GetCachedCredential(), ntlm_ImpersonateSecurityContext(), ntlm_InitializeSecurityContextA(), ntlm_InitializeSecurityContextW(), ntlm_QueryCredentialsAttributesA(), ntlm_QueryCredentialsAttributesW(), ntlm_RevertSecurityContext(), ntlm_VerifySignature(), NtUserAlterWindowStyle(), NtUserAssociateInputContext(), NtUserBlockInput(), NtUserBuildHimcList(), NtUserCalcMenuBar(), NtUserCallHwndParam(), NtUserCheckImeHotKey(), NtUserCreateInputContext(), NtUserDestroyCursor(), NtUserDestroyInputContext(), NtUserDestroyWindow(), NtUserDisableThreadIme(), NtUserExcludeUpdateRgn(), NtUserFillWindow(), NtUserGetAppImeLevel(), NtUserGetCaretBlinkTime(), NtUserGetCursorFrameInfo(), NtUserGetImeInfoEx(), NtUserGetKeyboardLayoutList(), NtUserGetKeyboardState(), NtUserGetThreadState(), NtUserGetUpdateRgn(), NtUserHideCaret(), NtUserKillTimer(), NtUserLockWorkStation(), NtUserMapVirtualKeyEx(), NtUserPaintMenuBar(), NtUserPostMessage(), NtUserPostThreadMessage(), NtUserQueryInputContext(), NtUserRegisterUserApiHook(), NtUserSetAppImeLevel(), NtUserSetFocus(), NtUserSetImeHotKey(), NtUserSetImeInfoEx(), NtUserSetImeOwnerWindow(), NtUserSetProcessWindowStation(), NtUserSetSystemTimer(), NtUserSetThreadDesktop(), NtUserSetTimer(), NtUserSetWindowLong(), NtUserSetWindowPos(), NtUserShowCaret(), NtUserShowScrollBar(), NtUserShowWindow(), NtUserShowWindowAsync(), NtUserUnloadKeyboardLayout(), NtUserUnregisterUserApiHook(), NtUserUpdateInputContext(), NtUserWaitMessage(), nulldrv_SelectClipPath(), rectBlock::num_quads(), rectBlockArray::num_quads(), primStream::num_triangles(), number_from_string(), number_to_exponential(), number_to_fixed(), monoChain::numChainsAllLoops(), monoChain::numChainsSingleLoop(), directedLine::numEdges(), directedLine::numEdgesAllPolygons(), numInteriorCuspsX(), o_curve_to_DLineLoop(), o_pwlcurve_to_DLines(), o_trim_to_DLineLoops(), Object_get_value(), Object_toString(), ODBC32_SQLAllocConnect(), ODBC32_SQLAllocEnv(), ODBC32_SQLAllocHandle(), ODBC32_SQLAllocHandleStd(), ODBC32_SQLAllocStmt(), ODBC32_SQLBindCol(), ODBC32_SQLBindParam(), ODBC32_SQLBindParameter(), ODBC32_SQLBrowseConnect(), ODBC32_SQLBrowseConnectW(), ODBC32_SQLBulkOperations(), ODBC32_SQLCancel(), ODBC32_SQLCloseCursor(), ODBC32_SQLColAttribute(), ODBC32_SQLColAttributes(), ODBC32_SQLColAttributesW(), ODBC32_SQLColAttributeW(), ODBC32_SQLColumnPrivileges(), ODBC32_SQLColumnPrivilegesW(), ODBC32_SQLColumns(), ODBC32_SQLColumnsW(), ODBC32_SQLConnect(), ODBC32_SQLConnectW(), ODBC32_SQLCopyDesc(), ODBC32_SQLDataSources(), ODBC32_SQLDataSourcesA(), ODBC32_SQLDataSourcesW(), ODBC32_SQLDescribeCol(), ODBC32_SQLDescribeColW(), ODBC32_SQLDescribeParam(), ODBC32_SQLDisconnect(), ODBC32_SQLDriverConnect(), ODBC32_SQLDriverConnectW(), ODBC32_SQLDrivers(), ODBC32_SQLDriversW(), ODBC32_SQLEndTran(), ODBC32_SQLError(), ODBC32_SQLErrorW(), ODBC32_SQLExecDirect(), ODBC32_SQLExecDirectW(), ODBC32_SQLExecute(), ODBC32_SQLExtendedFetch(), ODBC32_SQLFetch(), ODBC32_SQLFetchScroll(), ODBC32_SQLForeignKeys(), ODBC32_SQLForeignKeysW(), ODBC32_SQLFreeConnect(), ODBC32_SQLFreeEnv(), ODBC32_SQLFreeHandle(), ODBC32_SQLFreeStmt(), ODBC32_SQLGetConnectAttr(), ODBC32_SQLGetConnectAttrW(), ODBC32_SQLGetConnectOption(), ODBC32_SQLGetConnectOptionW(), ODBC32_SQLGetCursorName(), ODBC32_SQLGetCursorNameW(), ODBC32_SQLGetData(), ODBC32_SQLGetDescField(), ODBC32_SQLGetDescFieldW(), ODBC32_SQLGetDescRec(), ODBC32_SQLGetDescRecW(), ODBC32_SQLGetDiagField(), ODBC32_SQLGetDiagFieldW(), ODBC32_SQLGetDiagRec(), ODBC32_SQLGetDiagRecA(), ODBC32_SQLGetDiagRecW(), ODBC32_SQLGetEnvAttr(), ODBC32_SQLGetFunctions(), ODBC32_SQLGetInfo(), ODBC32_SQLGetInfoW(), ODBC32_SQLGetStmtAttr(), ODBC32_SQLGetStmtAttrW(), ODBC32_SQLGetStmtOption(), ODBC32_SQLGetTypeInfo(), ODBC32_SQLGetTypeInfoW(), ODBC32_SQLMoreResults(), ODBC32_SQLNativeSql(), ODBC32_SQLNativeSqlW(), ODBC32_SQLNumParams(), ODBC32_SQLNumResultCols(), ODBC32_SQLParamData(), ODBC32_SQLParamOptions(), ODBC32_SQLPrepare(), ODBC32_SQLPrepareW(), ODBC32_SQLPrimaryKeys(), ODBC32_SQLPrimaryKeysW(), ODBC32_SQLProcedureColumns(), ODBC32_SQLProcedureColumnsW(), ODBC32_SQLProcedures(), ODBC32_SQLProceduresW(), ODBC32_SQLPutData(), ODBC32_SQLRowCount(), ODBC32_SQLSetConnectAttr(), ODBC32_SQLSetConnectAttrW(), ODBC32_SQLSetConnectOption(), ODBC32_SQLSetConnectOptionW(), ODBC32_SQLSetCursorName(), ODBC32_SQLSetCursorNameW(), ODBC32_SQLSetDescField(), ODBC32_SQLSetDescFieldW(), ODBC32_SQLSetDescRec(), ODBC32_SQLSetEnvAttr(), ODBC32_SQLSetParam(), ODBC32_SQLSetPos(), ODBC32_SQLSetScrollOptions(), ODBC32_SQLSetStmtAttr(), ODBC32_SQLSetStmtAttrW(), ODBC32_SQLSetStmtOption(), ODBC32_SQLSpecialColumns(), ODBC32_SQLSpecialColumnsW(), ODBC32_SQLStatistics(), ODBC32_SQLStatisticsW(), ODBC32_SQLTablePrivileges(), ODBC32_SQLTablePrivilegesW(), ODBC32_SQLTables(), ODBC32_SQLTablesW(), ODBC32_SQLTransact(), OFNHookProc(), ok_event_sequence(), ok_registry(), OleContainer_EnumObjects(), OLEFontImpl_IsEqual(), OleObject_EnumVerbs(), OleRegGetUserType(), OleUIAddVerbMenuA(), OleUIPasteSpecialA(), OleUIPasteSpecialW(), OmNavigator_Create(), on_default_action(), CTextEditWindow::OnChar(), CTextEditWindow::OnClear(), OnCommand(), OnControl(), CSysPagerWnd::OnCreate(), CTextEditWindow::OnCut(), CDefView::OnDefaultCommand(), CChangeNotifyServer::OnDeliverNotification(), CAutoComplete::OnEditChar(), OnImage(), CShellBrowser::OnInitMenuPopup(), CTextEditWindow::OnKeyDown(), CTextEditWindow::OnLButtonDown(), CACListView::OnMouseWheel(), CTextEditWindow::OnMove(), CTrayWindow::OnNcActivate(), OnOK(), CTextEditWindow::OnPaste(), CTextEditWindow::OnSetSel(), CAutoComplete::OnShowWindow(), OnShutDown(), CTextEditWindow::OnSize(), CDefView::OnStateChange(), OnTarget(), Open(), open_async_request(), open_file_test(), open_key(), open_weak_exclusive(), OpenCHM(), OpenDriverA(), OpenEffectiveToken(), OpenHardwareProfileKey(), OpenMailer(), OpenNetworkDatabase(), XMLStorage::XMLChildrenFilter::iterator::operator++(), XMLStorage::const_XMLChildrenFilter::const_iterator::operator++(), XMLStorage::XMLPropertyReader::const_iterator::operator++(), output_writeconsole(), overlapped_server(), ownerdraw_test_wndproc(), package_RegDeleteTreeW(), PAGER_EraseBackground(), pagesetup_common(), pagesetup_get_devmode(), PALENTRY(), paraformat_proc(), parent_wnd_proc(), ParentMsgCheckProcA(), parse_cc_identifier(), parse_decimal(), parse_hex_literal(), parse_hhc(), parse_identifier(), parse_languages(), parse_li(), parse_new_id3(), parse_next_token(), parse_numeric_literal(), parse_path(), parse_port(), parse_regexp(), parse_regexp_flags(), parse_string_literal(), parse_transform_desc(), parse_ul(), parse_value(), parseAndPrintFile(), ParseInputFile(), ParseMoreVariable(), PARSER_get_dest_dir(), PARSER_get_src_root(), PARSER_GetInfClassW(), parser_lex(), PARSER_string_substA(), patchinfoAtoW(), PATH_AddFlatBezier(), path_hook_proc(), PATH_PolyBezierTo(), PATH_PolylineTo(), PATH_StrokePath(), PathCanonicalizeA(), PathCreateFromUrlA(), PathCreateFromUrlW(), PathResolveA(), PathUnExpandEnvStringsA(), pdb_fetch_file_info(), pdb_init(), pdb_process_file(), pdb_read_strings(), pdb_virtual_unwind(), PDEVOBJ_iGetColorManagementCaps(), PdhAddCounterA(), PdhCalculateCounterFromRawValue(), PdhCollectQueryDataEx(), PdhGetFormattedCounterValue(), PdhLookupPerfIndexByNameA(), PdhLookupPerfNameByIndexA(), PdhLookupPerfNameByIndexW(), PdhMakeCounterPathA(), PdhMakeCounterPathW(), PdhOpenQueryA(), PdhValidatePathA(), PdhValidatePathW(), pe_load_dbg_file(), pe_load_debug_directory(), pe_load_debug_info(), pe_load_dwarf(), pe_load_msc_debug_info(), pe_load_rsym(), pe_load_stabs(), peek_message(), PFXIsPFXBlob(), picture_render(), PidlToSicIndex(), PixelFormatInfo_Constructor(), PixelFormatInfo_GetChannelMask(), plain_fullread(), plain_read(), ATL::CImage::PlgBlt(), PNP_AddID(), PNP_CreateDevInst(), PNP_CreateKey(), PNP_DeleteClassKey(), PNP_DeviceInstanceAction(), PNP_EnumerateSubKeys(), PNP_GetClassInstance(), PNP_GetClassName(), PNP_GetClassRegProp(), PNP_GetCustomDevProp(), PNP_GetDepth(), PNP_GetDeviceList(), PNP_GetDeviceListSize(), PNP_GetDeviceRegProp(), PNP_GetDeviceStatus(), PNP_GetFirstLogConf(), PNP_GetHwProfInfo(), PNP_GetInterfaceDeviceList(), PNP_GetInterfaceDeviceListSize(), PNP_GetNextLogConf(), PNP_GetNextResDes(), PNP_GetRelatedDeviceInstance(), PNP_GetRootDeviceInstance(), PNP_HwProfFlags(), PNP_IsDockStationPresent(), PNP_QueryRemove(), PNP_RequestDeviceEject(), PNP_SetClassRegProp(), PNP_SetDeviceProblem(), PNP_SetDeviceRegProp(), PNP_ValidateDeviceInstance(), directedLine::polyArea(), Polygon(), polygonConvert(), pool_alloc(), pool_strdup(), PopupMsgCheckProcA(), pos_from_time(), post_rbuttonup_msg(), pre_process_uri(), preprocess_shader(), Preview_pSaveImage(), print_something(), print_string(), PRINTDLG_WMInitDialog(), PRINTDLG_WMInitDialogW(), PRINTF_ATTR(), PrintImageInfo(), PrintSystemInfo(), PrivateExtractIconExA(), PrivateExtractIconExW(), PrivateExtractIconsA(), process_args_from_reg(), process_data(), process_overrides(), process_pending_renames(), ProcessCommandLine(), processFile(), ProcessPageCompareFunc(), PROFILE_GetString(), profile_items_callback(), ProfilesEnumGuid_Release(), ProgIDFromCLSID(), prompt_save_changes(), Prop_Release(), PropertyStorage_FindProperty(), PropertyStorage_FindPropertyByName(), PropertyStorage_FindPropertyNameById(), PropertyStore_CreateInstance(), PROPSHEET_CreateDialog(), PROPVAR_HexToNum(), PropVariantToBoolean(), PropVariantToBuffer(), PropVariantToDouble(), PropVariantToInt16(), PropVariantToInt32(), PropVariantToInt64(), PropVariantToString(), PropVariantToStringAlloc(), PropVariantToUInt16(), PropVariantToUInt32(), PropVariantToUInt64(), Protect(), ProvStore_addCert(), ProvStore_addCRL(), ProvStore_addCTL(), ProvStore_control(), ProvStore_deleteCert(), ProvStore_deleteCRL(), ProvStore_deleteCTL(), ProvStore_enumCert(), ProvStore_enumCRL(), ProvStore_enumCTL(), ps_dlg_proc(), pSetupGetFileTitle(), push_instr_addr(), push_instr_int(), push_instr_uint(), push_string(), tinyxml2::DynArray< T, INITIAL_SIZE >::PushArr(), puts(), QISearch(), query_align_status(), query_auth_schemes(), query_data_available(), query_dsym(), query_global_option(), query_headers(), query_http_info(), query_option(), query_prop(), QueryContextAttributesA(), QueryContextAttributesW(), QueryCredentialsAttributesA(), QueryCredentialsAttributesW(), QueryRoutine(), QuerySecurityContextToken(), QuerySecurityPackageInfoA(), QuerySecurityPackageInfoW(), QueryUserRegValueW(), QUEUE_callback_WtoA(), quote_rdn_value_to_str_a(), quote_rdn_value_to_str_w(), r_verifyProxyEnable(), Range_Release(), rbsize_init(), rdssl_cert_to_rkey(), rdssl_certs_ok(), rdssl_hash_clear(), rdssl_hash_complete(), rdssl_hash_info_create(), rdssl_hash_transform(), rdssl_hmac_md5(), rdssl_rc4_crypt(), rdssl_rc4_info_create(), rdssl_rc4_info_delete(), rdssl_rc4_set_key(), read_blob_wrapper(), read_credential_blob(), read_data(), read_dependencies(), read_expect_async(), read_file(), read_file_to_bstr(), read_frame(), read_from_pipe(), read_key_value(), read_mbr_template(), read_more_data(), read_password(), read_pipe_test(), read_prop(), read_raw_int(), read_reg_output_(), read_stream_data(), read_table_int(), read_trusted_roots_from_known_locations(), read_types(), readAllPolygons(), reader_alloc_zero(), readerinput_strdupW(), ReadKey(), CConsole::ReadLine(), RealDrawFrameControl(), REBAR_GetRowHeight(), REBAR_LayoutRow(), REBAR_NCHitTest(), REBAR_WindowPosChanged(), receive_data(), receive_response(), record_invoke(), recursive_activation_wndprocA(), redraw_window_procA(), ReenumerateDeviceInstance(), reg_delete_tree(), reg_export(), reg_get_multisz(), reg_get_sz(), reg_get_value(), RegConnectRegistryW(), RegDeleteTreeW(), RegExp_exec(), regexp_match(), regexp_match_next(), regexp_string_match(), RegExp_toString(), RegExpConstr_get_leftContext(), RegExpConstr_get_rightContext(), RegExpConstr_value(), RegGetDWORDValue(), RegGetValueA(), RegGetValueW(), REGION_GetRgnBox(), REGION_UnionRegion(), REGION_XorRegion(), register_codec(), register_dlls_callback(), register_for_arg(), register_parent_wnd_class(), register_server(), register_testentry(), register_testwindow_class(), RegisterActiveObject(), RegisterClipboardFormatA(), registerset_compare(), registry_credential_matches_filter(), registry_enumerate_credentials(), registry_get_handle(), registry_read_credential(), registry_write_credential(), RegpApplyRestrictions(), REGPROC_unescape_string(), RegQueryCStringW(), RegQueryValueA(), RegQueryValueW(), RegSetDWORDValue(), RegSetValueA(), RegSetValueW(), Release(), release_handle(), Remove(), remove_duplicate_values(), RemoveWindowSubclass(), renderer_winproc(), Renew(), rep_call(), report(), request_get_property(), request_wait(), res_strdupW(), reserved_vs_const(), ResetPrinterA(), resolve_hostname(), ResourceManager_Create(), ResProtocolFactory_CreateInstance(), Resync(), resync_after_run(), RetrieveUrlCacheEntryFileW(), return_string(), return_strval(), RevertSecurityContext(), RevokeActiveObject(), ropes_cmp(), ros_dbg_log(), rosfmt_default_dbg_vlog(), RpcAuthInfo_Create(), RpcBindingFromStringBindingA(), RpcBindingFromStringBindingW(), RpcBindingToStringBindingA(), RpcBindingToStringBindingW(), RpcNetworkIsProtseqValidA(), RpcReadFile(), rpcrt4_conn_np_impersonate_client(), rpcrt4_conn_np_revert_to_self(), rpcrt4_conn_tcp_handoff(), RPCRT4_GetHeaderSize(), rpcrt4_http_async_read(), rpcrt4_http_check_response(), rpcrt4_http_prepare_in_pipe(), rpcrt4_http_prepare_out_pipe(), rpcrt4_ip_tcp_get_top_of_tower(), rpcrt4_ncacn_http_wait_for_incoming_data(), rpcrt4_ncacn_http_write(), rpcrt4_ncacn_ip_tcp_open(), rpcrt4_protseq_ncacn_ip_tcp_open_endpoint(), RpcServerInqDefaultPrincNameA(), rr_flags(), RSAENH_CPSetKeyParam(), RSAENH_CPSignHash(), RtlCompareString(), RtlCompareUnicodeString(), RtlConvertUlongToLargeInteger(), RtlCreateActivationContext(), RtlEnlargedIntegerMultiply(), RtlEnlargedUnsignedMultiply(), RtlLargeIntegerArithmeticShift(), RtlNtStatusToDosErrorNoTeb(), RtlRunOnceExecuteOnce(), RtlUlongByteSwap(), run_child_process(), run_client(), run_delete(), run_exec(), run_LS_tests(), run_query(), run_reg_exe_(), run_regedit_exe_(), run_script(), run_server(), run_test(), run_thread(), run_userhandling_tests(), run_winemenubuilder(), run_wkstajoininfo_tests(), runClient(), RunFile(), runServer(), s_get_cpsc(), s_remote_ProcessMessage(), s_stop(), safe_multiply(), SAFEARRAY_Malloc(), SampleGrabber_ISampleGrabber_GetCurrentBuffer(), sanity_check(), Save(), save_base64(), save_cert_as_cms(), save_credentials(), save_pfx(), save_profile(), save_summary_info(), save_value(), SaveAllSettings(), SaveCurrentLocale(), savedc_emf_enum_proc(), SaveGeoID(), SaveSystemSettings(), sc_cb_lseek(), sc_cb_open(), scan_directory_tree(), schan_EnumerateSecurityPackagesA(), schan_EnumerateSecurityPackagesW(), scope_push(), ScreenSaverThreadMain(), script_elem_from_nsscript(), scrollbar_test_default(), ScrollBarWndProc_common(), SdbGetMatchingExe(), SdbpGetLongPathName(), SdbpStrDup(), SdbReadDWORDTag(), SdbReadQWORDTag(), SdbReadWORDTag(), SeAccessCheck(), search_dll_path(), search_res_tlb(), search_unix_path(), SearchDriver(), SearchTreeForFile(), sec_from_time(), SECUR32_addProvider(), SECUR32_AllocMultiByteFromWide(), SECUR32_AllocWideFromMultiByte(), SECUR32_findPackageA(), SECUR32_findPackageW(), SECUR32_makeSecHandle(), SECUR32_strdupW(), secure_proxy_connect(), security_get_sd(), select_store_dlg_proc(), selection_callback(), semaphore_thread_proc(), send_echo_request(), send_file(), send_msg_thread_2(), send_request(), send_socket_request(), send_str(), sendmail_extended_mapi(), UIComposition::SendMessageToUI(), serial_get_event(), SerialInterruptService(), server(), server_ddeml_callback(), server_send_reply(), serverThreadMain2(), serverThreadMain3(), serverThreadMain4(), serverThreadMain5(), ServiceMain(), CShellDispatch::ServiceStart(), CShellDispatch::ServiceStop(), session_invoke(), Session_Message(), set(), set_auth_cookie(), set_clipboard_data_process(), set_clipboard_data_thread(), set_cookies(), set_cursor_thread(), set_foreground(), set_menu_item_info(), set_menu_style(), set_option(), set_server_for_hostname(), set_state(), set_status_callback(), set_syslog_conf_dir(), set_up_attribute_test(), set_up_case_test(), set_variant(), SetColorProfileElement(), SetContextAttributesA(), SetContextAttributesW(), SetDefaultLanguage(), SetDeviceStatus(), CConsole::SetInsertMode(), setItem(), setItemUnicodeNotify(), SetJobA(), ATL::CRegKey::SetKeySecurity(), CTipbarWnd::SetLangBand(), SetLocaleInfoA(), setlogmask(), setOidWithItem(), setOidWithItemAndInteger(), setOidWithItemAndIpAddr(), SETUP_CallInstaller(), setup_client(), SETUP_GetClassIconInfo(), SETUP_GetIconIndex(), setup_iocp_src(), SETUP_PropertyAddPropertyAdvancedHandler(), SETUP_PropertyChangeHandler(), setup_server(), SETUPAPI_GetCurrentHwProfile(), setupClient(), SetupCopyOEMInfA(), SetupCopyOEMInfW(), SetupDecompressOrCopyFileA(), SetupDecompressOrCopyFileW(), SetupDeviceInstance(), SetupDiBuildDriverInfoList(), SetupDiCallClassInstaller(), SetupDiChangeState(), SetupDiClassNameFromGuidExA(), SetupDiCreateDeviceInfoA(), SetupDiCreateDeviceInfoListExW(), SetupDiCreateDeviceInfoW(), SetupDiCreateDeviceInterfaceA(), SetupDiDeleteDeviceInfo(), SetupDiDeleteDeviceInterfaceRegKey(), SetupDiDeleteDevRegKey(), SetupDiDestroyClassImageList(), SetupDiDestroyDeviceInfoList(), SetupDiDestroyDriverInfoList(), SetupDiEnumDeviceInfo(), SetupDiEnumDeviceInterfaces(), SetupDiEnumDriverInfoA(), SetupDiEnumDriverInfoW(), SetupDiGetActualSectionToInstallExW(), SetupDiGetClassDescriptionExA(), SetupDiGetClassDevPropertySheetsA(), SetupDiGetClassDevPropertySheetsW(), SetupDiGetClassDevsExA(), SetupDiGetClassImageIndex(), SetupDiGetClassImageListExA(), SetupDiGetClassImageListExW(), SetupDiGetDeviceInfoListClass(), SetupDiGetDeviceInstallParamsA(), SetupDiGetDeviceInstallParamsW(), SetupDiGetDeviceInstanceIdA(), SetupDiGetDeviceInterfaceDetailA(), SetupDiGetDeviceInterfaceDetailW(), SetupDiGetDeviceRegistryPropertyA(), SetupDiGetDriverInfoDetailA(), SetupDiGetDriverInfoDetailW(), SetupDiGetDriverInstallParamsW(), SetupDiGetINFClassA(), SetupDiGetINFClassW(), SetupDiGetSelectedDevice(), SetupDiGetSelectedDriverA(), SetupDiGetSelectedDriverW(), SetupDiInstallClassExW(), SetupDiInstallDevice(), SetupDiInstallDeviceInterfaces(), SetupDiInstallDriverFiles(), SetupDiLoadClassIcon(), SetupDiOpenDeviceInfoW(), SetupDiRegisterCoDeviceInstallers(), SetupDiSelectBestCompatDrv(), SetupDiSetClassInstallParamsW(), SetupDiSetDeviceInstallParamsA(), SetupDiSetDeviceInstallParamsW(), SetupDiSetSelectedDevice(), SetupDiSetSelectedDriverA(), SetupDiSetSelectedDriverW(), setupFakeServer(), SetupFindFirstLineA(), SetupFindFirstLineW(), SetupFindNextMatchLineA(), SetupGetFileCompressionInfoA(), SetupGetFileCompressionInfoExA(), SetupGetFileCompressionInfoExW(), SetupGetFileCompressionInfoW(), SetupGetInfFileListA(), SetupGetInfFileListW(), SetupGetInfInformationA(), SetupGetInfInformationW(), SetupGetIntField(), SetupGetLineByIndexA(), SetupGetLineCountA(), SetupGetLineCountW(), SetupGetSourceFileLocationA(), SetupGetSourceInfoA(), SetupGetTargetPathA(), SetupGetTargetPathW(), SetupInitializeFileLogW(), SetupInstallFileA(), SetupInstallFilesFromInfSectionA(), SetupInstallFileW(), SetupInstallFromInfSectionA(), SetupInstallFromInfSectionW(), SetupInstallServicesFromInfSectionExA(), SetupInstallServicesFromInfSectionExW(), SetupIsActive(), SetupIterateCabinetA(), SetupIterateCabinetW(), SetupLogErrorA(), SetupLogErrorW(), SetupOpenInfFileA(), setupPackageA(), SetupPromptForDiskA(), SetupPromptForDiskW(), SetupQueryInfFileInformationA(), SetupQueryInfOriginalFileInformationA(), SetupQuerySpaceRequiredOnDriveA(), SetupQueueCopySectionA(), SetupQueueCopySectionW(), SetupQueueDeleteSectionA(), SetupQueueDeleteSectionW(), SetupQueueRenameSectionA(), SetupQueueRenameSectionW(), SetupRegisterAllClasses(), SetupRegisterClass(), SetupScanFileQueueW(), setupServer(), SetupUninstallOEMInfA(), SetUrlCacheEntryInfoW(), SetWinMetaFileBits(), SH_ShowDriveProperties(), SH_ShowRecycleBinProperties(), SHADD_get_policy(), SHAddToRecentDocs(), shader_addline(), shader_arb_generate_vshader(), shader_arb_load_constants_f(), shader_glsl_generate_vs3_rasterizer_input_setup(), shader_glsl_get_ffp_fragment_op_arg(), SHAlloc(), SHAppBarMessage(), SHChangeNotification_Unlock(), SHChangeNotifyDeregister(), SHCreateDirectoryExW(), SHDefExtractIconA(), SHDefExtractIconW(), SheGetDirA(), SheGetDirW(), Shell(), SHELL32_CompareDetails(), SHELL_ConfirmDialogW(), SHELL_DeleteDirectoryW(), Shell_GetCachedImageIndexA(), SHELL_IsShortcut(), Shell_NotifyIconW(), ShellAboutA(), shellex_get_dataobj(), CShellDispatch::ShellExecute(), ShellExecuteExA(), ShellMessageBoxA(), ShellMessageBoxW(), ShellMessageBoxWrapW(), SHEmptyRecycleBinW(), SheShortenPathA(), SHFileOperationW(), SHFormatDateTimeW(), SHGetCurColorRes(), SHGetFileInfoA(), SHGetFileInfoW(), SHGetFolderPathAndSubDirW(), SHGetIDListFromObject(), SHGetImageList(), SHGetIniStringW(), SHGetNameFromIDList(), SHGetObjectCompatFlags(), SHILCreateFromPathW(), SHIsSameObject(), SHNotifyCopyFileW(), SHNotifyDeleteFileW(), SHNotifyMoveFileW(), SHNotifyRemoveDirectoryW(), SHOpenRegStream2A(), SHOpenRegStream2W(), SHOpenWithDialog(), should_bypass_proxy(), show_cert_dialog(), show_cursor_thread(), show_msgbox(), CShellDispatch::ShowBrowserBar(), ShowInfo(), ShowWindowProcA(), ShowX509EncodedCertificate(), SHPropStgCreate(), SHPropStgReadMultiple(), SHPropStgWriteMultiple(), SHRegCloseUSKey(), SHRegCreateUSKeyA(), SHRegCreateUSKeyW(), SHRegGetBoolUSValueA(), SHRegGetBoolUSValueW(), SHRegGetUSValueA(), SHRegGetUSValueW(), SHRegQueryInfoUSKeyA(), SHRegQueryInfoUSKeyW(), SHRegQueryUSValueA(), SHRegQueryUSValueW(), SHRegSetUSValueA(), SHRegSetUSValueW(), SHRegWriteUSValueW(), SHSetIniStringW(), SHSetWindowBits(), SHTestTokenPrivilegeW(), ShutdownConnection(), ShutdownDialog(), SIC_GetIconIndex(), SIC_IconAppend(), SIC_LoadIcon(), sighandler(), simulate_typing_characters(), SKAllocValueW(), SKDeleteValueW(), SKGetValueW(), skip_junk(), SKSetValueW(), SmartTeeFilter_GetPin(), SnmpExtensionQuery(), SnmpUtilOctetsNCmp(), sock_recv(), sock_send(), SoftModalMessageBox(), SOFTPUB_DecodeInnerContent(), SOFTPUB_GetMessageFromFile(), SOFTPUB_HashPEFile(), SOFTPUB_LoadCertMessage(), SoftpubAuthenticode(), SoftpubCheckCert(), SoftpubDefCertInit(), SoftpubInitialize(), SOFTWARE_GdipDrawDriverString(), solve_maze(), sort_tree(), source_new(), spacePop(), spapi_install(), SpiScanDevice(), SpiSendSynchronousSrb(), split_command(), split_multi_string_values(), split_reg_path(), SQLConfigDriver(), SQLGetInstalledDrivers(), SQLGetInstalledDriversW(), SQLGetPrivateProfileString(), SQLGetPrivateProfileStringW(), SQLInstall_strdup(), SQLInstall_strdup_multi(), SQLInstallDriverEx(), SQLInstallDriverManager(), SQLInstallerError(), SQLInstallTranslatorEx(), SQLRemoveDriver(), SQLRemoveTranslator(), SQLRemoveTranslatorW(), SQLWritePrivateProfileString(), SQLWritePrivateProfileStringW(), SspiPromptForCredentialsW(), sss_started(), sss_stopped(), stabs_find_ref(), stabs_parse(), stabs_parse_typedef(), stack_offset(), stack_pop(), stack_pop_disp(), stack_pop_exprval(), StackWalk(), Start(), start_address_thread(), start_binding(), start_rpcss(), start_server(), START_TEST(), StartAudioService(), StartDlgProc(), StartDocA(), StartDocDlgA(), StartDocDlgW(), StartLinkProcessor(), StartScreenSaver(), StartTaskManager(), StartUserShell(), state_panic(), static_hook_proc(), Status(), statusclb_OnDataAvailable(), stillimagew_RegisterLaunchApplication(), stillimagew_UnregisterLaunchApplication(), Stop(), stop_service_dependents(), StorageCoInstaller(), store_id3v2(), str_dbg_pfd_flags(), str_handle_lines(), str_to_number(), StrA2WHeapAlloc(), StrAryCpyHeapAllocWToA(), strAtoW(), strcmp_aw(), strcmp_wa(), strcmpiW(), strdupA(), strdupAtoW(), strdupAW(), strdupnAtoW(), strdupW(), strdupWtoA(), stream_lseek(), stream_out(), stream_out_graphics(), stream_skip_bytes(), ATL::CImage::StretchBlt(), strftime_date(), strftime_time(), string_alloc(), string_buffer_sprintf(), String_charAt(), String_concat(), String_idx_get(), String_indexOf(), String_lastIndexOf(), String_replace(), String_substr(), String_substring(), String_toLowerCase(), String_toUpperCase(), String_trim(), StringConstr_fromCharCode(), StringConstr_value(), StringFromGUID2A(), strlcpy(), strlwrW(), strncmpiW(), Strnpcat(), Strnpcpy(), StrRChrIW(), strrchrW(), StrRChrW(), strstr_wa(), strtok(), struprW(), strUtoW(), StrW2AHeapAlloc(), strWtoA(), strWtoU(), stub_manager_notify_unmarshal(), suminfo_persist(), summaryinfo_invoke(), svc_fd_create(), sw_DescribePixelFormat(), sweepRangeMake(), Telnet::SwitchKeyMap(), swprintf(), SxsLookupClrGuid(), symbol_demangle(), SymEnumSourceFiles(), SymEnumSymbols(), SymFindFileInPath(), SymFromAddrW(), SymGetModuleBase(), SymGetSearchPath(), SymInitialize(), SymLoadModuleEx(), SymMatchStringA(), SymSearch(), SymSetSearchPath(), symt_enum_locals_helper(), symt_enum_module(), sync_dirty_buffer(), sync_threads_and_run_one(), SYNTH_NAME(), SynthPortImpl_IDirectMusicPort_DownloadInstrument(), syslink_subclass_proc(), system_time_to_minutes(), SystemApplet(), SystemClockImpl_Unadvise(), CSysTray::SysTrayMessageLoop(), CSysTray::SysTrayThreadProc(), T1_OnButtonUp(), T1_OnImeControl(), T1_OnMouseMove(), tab_subclass_proc(), TabbedTextOutA(), tabstops_proc(), tagNameCompare(), tapiGetLocationInfoA(), taskdialog_callback_proc_progress_bar(), taskdialog_get_reference_rect(), TaskDialogIndirect(), taskkill_vprintfW(), tcp_socketpair(), tcp_socketpair_ovl(), tcpip_input(), TcpTableSorter(), tear_down_attribute_test(), tear_down_case_test(), templPop(), test_32bit_ddb(), test___getmainargs_parent(), test___pxcptinfoptrs(), test___strncnt(), test__atodbl(), test__get_doserrno(), test__get_errno(), test__get_output_format(), test__Gettnames(), test__hread(), test__hwrite(), test__ismbclx(), test__itoa_s(), test__lclose(), test__lcreat(), test__llopen(), test__llseek(), test__lread(), test__lwrite(), test__mbscmp(), test__mbscpy_s(), test__mbslwr_s(), test__mbsnbcat_s(), test__mbsnbcpy_s(), test__mbstok(), test__mbsupr_s(), test__memicmp(), test__memicmp_l(), test__popen(), test__set_doserrno(), test__set_errno(), test__stricmp(), test__strlwr_s(), test__tcsncoll(), test__tcsnicoll(), test__tzset(), test__ultoa_s(), test__wcslwr_s(), test__wcsupr_s(), test__wfopen_s(), test_accelerators(), test_accept_encoding(), test_AccessCheck(), test_acls(), test_actctx_classes(), test_add_bitmap(), test_add_certificate(), test_add_string(), test_AddAce(), test_AddDefaultForUsage(), test_AddDelBackupEntry(), test_AddDllDirectory(), test_AddFontMemResource(), test_AddMandatoryAce(), test_AddRem_ActionID(), test_AddRemoveProvider(), test_AddSelfToJob(), test_AdjustTokenPrivileges(), test_alertable(), test_all_kernel_objects(), test_alloc_shared(), test_alloc_shared_remote(), test_allocateLuid(), test_api(), test_appbarget(), test_AppendMenu(), Test_ApphelpCheckRunApp(), test_ApplicationAttributes(), test_approximate_viewrect(), test_arb_vs_offset_limit(), test_arrange(), test_asctime(), test_AssociateColorProfileWithDeviceA(), test_async(), test_async_HttpSendRequestEx(), test_async_read(), test_AtlAxCreateControl(), test_attach_input(), test_autocreation(), test_autoradio_BM_CLICK(), test_autoradio_kbd_move(), test_autoscroll(), test_aw_conversion_dlgproc(), test_aw_conversion_dlgproc2(), test_ax_win(), test_backup(), test_bad_control_class(), test_bad_header(), test_BadLetters(), test_basic_auth_credentials_cached_manual(), test_basic_auth_credentials_different(), test_basic_auth_credentials_end_session(), test_basic_auth_credentials_manual(), test_basic_auth_credentials_reuse(), test_basic_authentication(), test_basic_request(), test_bcm_get_ideal_size(), test_bcm_splitinfo(), test_BCryptGenRandom(), test_BCryptGetFipsAlgorithmMode(), test_BcryptHash(), test_begindrag(), Test_BeginPath(), test_bind_image_ex(), test_bitmap(), test_bitmap_colors(), test_bitmap_font(), test_bitmap_font_glyph_index(), test_bitmap_font_metrics(), test_bitmap_info(), test_bitmap_rendering(), Test_BitmapAttributes(), test_bogus_accept_types_array(), test_boundsrect(), test_BreakawayOk(), test_broadcast(), Test_BrushOrigin(), test_bscholder(), test_buffer_dc_props(), test_BuildPath(), test_BuildSecurityDescriptorW(), test_button_bm_get_set_image(), test_button_class(), test_button_messages(), test_C_locale(), test_cache_control_verb(), test_cache_read_gzipped(), test_calchash(), test_callback(), test_callback_mask(), test_canceleditlabel(), test_capture_3(), test_capture_4(), test_catalog_properties(), test_cbsize(), test_cchildren(), test_CERT_CHAIN_PARA_cbSize(), test_CertNameToStrA(), test_CertNameToStrW(), test_CertRDNValueToStrA(), test_CertRDNValueToStrW(), test_CertStrToNameA(), test_CertStrToNameW(), test_changing_selection_styles(), test_char_from_pos(), test_CharToOem_OemToChar(), test_CheckDatabaseManually(), test_CheckMenuRadioItem(), test_CheckTokenMembership(), test_child_token_sd(), test_child_token_sd_medium(), test_child_token_sd_restricted(), test_child_window_from_point(), test_ChooseFontA(), test_chunked_read(), test_clear(), test_ClipboardOwner(), test_clipping(), test_clipping_2(), test_close(), test_CloseHandle(), test_CM_Get_Version(), test_cmdline(), test_color_contexts(), test_color_formats(), test_color_table(), test_colors(), test_combo_dropdown_size(), test_combobox_messages(), test_comboex_CB_GETLBTEXT(), test_comboex_get_set_item(), test_comboex_WM_WINDOWPOSCHANGING(), test_comctl32_class(), test_command(), test_CommandLine(), test_communication(), test_CompareStringA(), test_CompareStringEx(), test_CompareStringOrdinal(), test_CompareStringW(), test_completion(), test_CompletionPort(), test_complicated_cookie(), test_concurrent_header_access(), test_condvars_base(), test_connection_cache(), test_connection_failure(), test_connection_header(), test_connection_info(), test_container_sd(), test_context(), test_ConvertFiberToThread(), test_ConvertStringSecurityDescriptor(), test_cookie_attrs(), test_cookie_header(), test_cookies(), test_copy(), test_CopyFile2(), test_CopyFileA(), test_CopyFileEx(), test_CopyFileW(), test_CopyMetaFile(), test_copyto_locking(), test_copyto_recursive(), test_count(), test_CoWaitForMultipleHandles_thread(), test_cp855(), test_cp932(), test_crc2_imp(), test_crc_imp(), test_create(), test_create_adjustable_cap(), test_create_catalog_file(), test_create_delete_svc(), test_create_destroy(), test_create_device_list_ex(), test_create_view_template(), test_create_view_window2(), Test_CreateDIBitmap1(), test_CreateDirectoryA(), test_CreateDirectoryW(), test_CreateFile(), test_CreateFile2(), test_CreateFileA(), test_CreateFileMapping_protection(), test_CreateFileW(), test_createfolder(), test_CreateFontIndirect(), Test_CreateFontIndirectA(), Test_CreateFontIndirectExA(), Test_CreateFontIndirectExW(), Test_CreateFontIndirectW(), test_createhbitmap(), test_CreateIconFromResource(), test_CreateNamedPipe(), test_CreateProcessWithDesktop(), test_CreatePropertySheetPage(), test_CreateRemoteThread(), test_CreateRestrictedToken(), test_CreateScalableFontResource(), test_CreateSortedAddressPairs(), test_CreateTextFile(), test_CreateThread_basic(), test_CreateWellKnownSid(), test_CRect(), test_cred_multiple_use(), test_CredDeleteA(), test_credentials(), test_CredMarshalCredentialA(), test_CredReadA(), test_CredReadDomainCredentialsA(), test_CredUIPromptForCredentials(), test_CredUnmarshalCredentialA(), test_CredWriteA(), test_crtGetStringTypeW(), test_crypt_ui_wiz_import(), test_CryptBinaryToString(), test_CryptCATAdminAddRemoveCatalog(), test_CryptCATCDF_params(), test_CryptCATOpen(), test_CryptInstallOssGlobal(), test_cryptTls(), test_ctime(), test_cue_banner(), test_curfocus(), test_customdraw(), test_D3DKMTCreateDCFromMemory(), test_D3DXFrameFind(), test_D3DXSHAdd(), test_Data(), test_data_msg_encoding(), test_data_msg_get_param(), test_data_msg_update(), test_DataTags(), test_DavGetHTTPFromUNCPath(), test_DavGetUNCFromHTTPPath(), test_daystate(), test_dbcs_wm_char(), test_DC_bitmap(), test_dc_layout(), test_dde_aw_transaction(), test_dde_default_app(), test_DdeCreateDataHandle(), test_DdeCreateStringHandle(), test_DdeCreateStringHandleW(), test_ddeml_client(), test_ddeml_server(), test_debug_children(), test_debug_heap(), test_debug_loop(), test_decode_msg_get_param(), test_decode_msg_update(), test_decodeAltName(), test_decodeAuthorityInfoAccess(), test_decodeAuthorityKeyId(), test_decodeAuthorityKeyId2(), test_decodeBasicConstraints(), test_decodeBits(), test_decodeCatMemberInfo(), test_decodeCatNameValue(), test_decodeCert(), test_decodeCertPolicies(), test_decodeCertPolicyConstraints(), test_decodeCertPolicyMappings(), test_decodeCertToBeSigned(), test_decodeCMSSignerInfo(), test_decodeCRLDistPoints(), test_decodeCRLIssuingDistPoint(), test_decodeCRLToBeSigned(), test_decodeCTL(), test_decodeEnhancedKeyUsage(), test_decodeEnumerated(), test_decodeExtensions(), test_decodeFiletime(), test_decodeInt(), test_decodeName(), test_decodeNameConstraints(), test_decodeNameValue(), test_decodeOctets(), test_decodePKCSAttribute(), test_decodePKCSAttributes(), test_decodePKCSContentInfo(), test_decodePKCSSignerInfo(), test_decodePKCSSMimeCapabilities(), test_decodePolicyQualifierUserNotice(), test_decodePublicKeyInfo(), test_decodeRsaPrivateKey(), test_decodeRsaPublicKey(), test_decodeSequenceOfAny(), test_decodeSPCFinancialCriteria(), test_decodeSPCLink(), test_decodeSPCPEImage(), test_decodeSpOpusInfo(), test_decodeUnicodeName(), test_decodeUnicodeNameValue(), test_default_dacl_owner_sid(), test_default_handle_security(), test_default_service_port(), test_deferwindowpos(), test_define_dos_deviceA(), test_delegated_methods(), test_delete(), test_delete_items(), test_delete_key_value(), test_delete_selection(), test_DeleteDC(), test_DeleteFileA(), test_DeleteFileW(), test_deleteitem(), Test_DelNodeA(), Test_DelNodeW(), test_desktop_winproc(), Test_DesktopAccess(), test_destroy(), test_destroy_read(), test_DestroyCursor(), test_destroynotify(), test_DestroyWindow(), test_device_caps(), test_device_iface(), test_device_iface_detail(), test_device_info(), test_device_interface_key(), test_device_key(), test_DeviceCapabilities(), test_devnode(), test_dialog_messages(), test_dialog_parent(), test_DialogBoxParam(), test_dib_bits_access(), test_dib_formats(), test_dib_info(), test_dibsections(), test_digit_substitution(), test_directory_filename(), test_disassemble_shader(), test_DisconnectNamedPipe(), test_disk_extents(), test_dispex(), test_dispinfo(), test_display_config(), test_dllredirect_section(), test_DnsFlushResolverCacheEntry_A(), test_DocumentProperties(), test_domain_password(), TEST_DoTestEntryStruct(), test_dpa(), test_DPA_DestroyCallback(), test_DPA_EnumCallback(), test_DPA_LoadStream(), test_DPA_Merge(), test_DPA_SaveStream(), test_dpi_aware(), test_dpi_context(), test_dpi_mapping(), test_dpi_window(), test_DragQueryFile(), test_DrawState(), test_DrawTextCalcRect(), test_drive_letter_case(), test_DriveExists(), test_driver_install(), test_DsClientMakeSpnForTargetServer(), test_DsMakeSpn(), test_dump(), test_dvd_read_structure(), Test_DWP_Error(), Test_DWP_SimpleMsg(), test_east_asian_font_selection(), test_edit_control_4(), test_edit_control_6(), test_edit_control_scroll(), test_editselection(), test_editselection_focus(), test_EM_GETTEXTLENGTHEX(), test_EM_LIMITTEXT(), test_emf_BitBlt(), test_emf_clipping(), test_emf_DCBrush(), test_emf_ExtTextOut_on_path(), test_emf_GradientFill(), test_emf_paths(), test_emf_polybezier(), test_emf_PolyPolyline(), test_emf_WorldTransform(), test_empty_headers_param(), test_emptypopup(), test_EnableScrollBar(), test_encodeAltName(), test_encodeAuthorityInfoAccess(), test_encodeAuthorityKeyId(), test_encodeAuthorityKeyId2(), test_encodeBasicConstraints(), test_encodeBits(), test_encodeCatMemberInfo(), test_encodeCatNameValue(), test_encodeCert(), test_encodeCertPolicies(), test_encodeCertPolicyConstraints(), test_encodeCertPolicyMappings(), test_encodeCertToBeSigned(), test_encodeCMSSignerInfo(), test_encodeCRLDistPoints(), test_encodeCRLIssuingDistPoint(), test_encodeCRLToBeSigned(), test_encodeCTL(), test_encodeEnhancedKeyUsage(), test_encodeEnumerated(), test_encodeExtensions(), test_encodeInt(), test_encodeName(), test_encodeNameConstraints(), test_encodeNameValue(), test_encodeOctets(), test_encodePKCSAttribute(), test_encodePKCSAttributes(), test_encodePKCSContentInfo(), test_encodePKCSSignerInfo(), test_encodePKCSSMimeCapabilities(), test_encodePolicyQualifierUserNotice(), test_encodePublicKeyInfo(), test_encodeRsaPublicKey(), test_encodeSequenceOfAny(), test_encodeSPCFinancialCriteria(), test_encodeSPCLink(), test_encodeSPCPEImage(), test_encodeSpOpusInfo(), test_encodeUnicodeName(), test_encodeUnicodeNameValue(), test_encrypt_message(), test_end_browser_session(), test_end_to_end_client(), test_end_to_end_server(), test_enum_sections(), test_enum_svc(), test_enum_vols(), test_EnumCodePages(), test_EnumColorProfilesA(), test_EnumColorProfilesW(), test_EnumDateFormatsA(), test_enumdesktops(), test_enumdisplaydevices(), test_EnumFontFamilies(), test_EnumFonts(), test_EnumFonts_subst(), test_EnumICMProfilesA(), test_EnumICMProfilesW(), test_EnumLanguageGroupLocalesA(), test_enumOIDInfo(), test_EnumPrinters(), test_EnumProcesses(), test_EnumProcessModules(), test_EnumScripts(), test_enumstations(), test_EnumSystemGeoID(), test_EnumSystemLanguageGroupsA(), test_EnumSystemLocalesEx(), test_EnumTimeFormatsA(), test_EnumTimeFormatsW(), test_EnumUILanguageA(), test_enveloped_msg_open(), test_enveloped_msg_update(), test_EqualRect(), test_EqualSid(), test_event(), test_event_security(), test_eventMask(), test_events(), test_ExitCode(), test_ExitProcess(), test_expandedimage(), test_expandinvisible(), test_expandnotify(), test_extension_helper(), test_extra_block(), test_extra_values(), test_ExtTextOut(), test_ExtTextOutScale(), test_fake_bold_font(), test_FDICopy(), test_FDIDestroy(), test_FDIIsCabinet(), test_fdsa(), test_ffcn_directory_overlap(), test_fflush(), test_fgetc(), test_fgetwc_locale(), test_fgetwc_unicode(), test_FiberLocalStorage(), test_FiberLocalStorageCallback(), test_FiberLocalStorageWithFibers(), test_file_access(), test_file_completion_information(), test_file_id_information(), test_file_inherit_child(), test_file_inherit_child_no(), test_file_security(), test_file_sharing(), test_file_write_read(), test_filemap_security(), test_filenames(), test_filesourcefilter(), test_FileTimeToDosDateTime(), test_FileTimeToLocalFileTime(), test_FileTimeToSystemTime(), test_FillConsoleOutputAttribute(), test_FillConsoleOutputCharacterA(), test_FillConsoleOutputCharacterW(), test_find_com_redirection(), test_find_dll_redirection(), test_find_file(), test_find_ifaceps_redirection(), test_find_progid_redirection(), test_find_string_fail(), test_find_surrogate(), test_find_url_cache_entriesA(), test_find_window_class(), test_findAttribute(), test_findExtension(), test_FindFirstChangeNotification(), test_FindFirstFileExA(), test_findRDNAttr(), test_findsectionstring(), test_firstDay(), test_FlashWindow(), test_FlashWindowEx(), test_flsbuf(), test_FlushFileBuffers(), Test_Focus(), test_FoldStringA(), test_FoldStringW(), Test_Font(), test_font_caps(), test_font_metrics(), test_font_substitution(), test_fopen_fclose_fcloseall(), test_fopen_s(), test_foregroundwindow(), test_format(), test_format_message(), test_format_object(), test_fprintf(), test_fputc(), test_fputwc(), test_FreeDDElParam(), test_fstype_fixup(), test_ftp_protocol(), test_fullname(), test_fullname2_helper(), test_fullpointer_xlat(), test_fullscreen(), test_gamma(), test_gdi_objects(), test_GdiAlphaBlend(), test_GdiConvertToDevmodeW(), test_GdiGetCharDimensions(), test_GdiGradientFill(), test_GdipCreateRegionRgnData(), Test_General(), test_generic(), test_geoid_enumproc(), test_get(), test_get16dibits(), test_get_certificate(), test_get_cookie(), test_get_device_instance_id(), test_get_digest_stream(), test_get_displayname(), test_get_known_usages(), test_get_security_descriptor(), test_get_servicekeyname(), test_get_set(), test_get_set_border(), test_get_set_imagelist(), test_get_set_item(), test_get_set_style(), test_get_set_textmargin(), test_get_set_view(), test_get_user_profile_dir(), test_get_value(), test_get_wndproc(), test_GetAdaptersAddresses(), test_GetAddrInfoW(), test_GetAutoRotationState(), test_getbuttoninfo(), test_GetCalendarInfo(), test_GetCharABCWidths(), test_GetCharWidth32(), test_GetCharWidthI(), test_GetClassInfo(), Test_GetClipBox(), Test_GetClipRgn(), test_GetClipRgn(), test_GetCodePageInfo(), test_GetColorDirectoryA(), test_GetColorDirectoryW(), test_GetColorProfileElement(), test_GetColorProfileElementTag(), test_GetColorProfileFromHandle(), test_GetColorProfileHeader(), test_getcolumnwidth(), test_GetComputerName(), test_GetComputerNameExA(), test_GetComputerNameExW(), test_GetConsoleFontInfo(), test_GetConsoleProcessList(), test_GetConsoleScreenBufferInfoEx(), test_GetCountColorProfileElements(), test_GetCPInfo(), test_GetCurrencyFormatA(), test_GetCurrentConsoleFont(), test_GetCurrentPowerPolicies(), test_GetCursorFrameInfo(), test_GetDateFormatA(), test_GetDateFormatEx(), test_GetDateFormatW(), test_getdc(), test_getDefaultCryptProv(), test_getDefaultOIDFunctionAddress(), test_GetDIBits_BI_BITFIELDS(), test_GetDIBits_scanlines(), test_GetDiskFreeSpaceA(), test_GetDiskFreeSpaceW(), test_GetDiskInfoA(), test_GetDlgItem(), test_GetDlgItemText(), test_GetDynamicTimeZoneInformation(), test_GetExtendedTcpTable(), test_GetExtendedUdpTable(), test_GetFile(), test_GetFileAttributesExW(), test_GetFileInformationByHandleEx(), test_GetFileVersionInfoEx(), test_GetFinalPathNameByHandleA(), test_GetFinalPathNameByHandleW(), test_GetFont(), test_GetFullPathNameA(), test_GetFullPathNameW(), test_GetGeoInfo(), test_GetGlobalFontLinkObject(), test_GetGlyphOutline(), test_GetGlyphOutline_empty_contour(), test_GetGlyphOutline_metric_clipping(), test_gethostbyname(), test_GetICMProfileA(), test_GetICMProfileW(), Test_GetIdealSizeNoThemes(), test_GetIfEntry2(), test_GetIfTable2(), test_getitemspacing(), test_GetKerningPairs(), test_GetLargestConsoleWindowSize(), test_GetLcidFromRfc1766(), test_GetListBoxInfo(), test_GetLocaleInfoA(), test_GetLocaleInfoEx(), test_GetLocaleInfoW(), test_GetLogicalProcessorInformationEx(), test_GetLongPathNameW(), test_GetMappedFileName(), Test_GetMatchingExe(), test_getmenubarinfo(), test_GetMenuItemRect(), test_GetModuleBaseName(), test_GetModuleFileNameEx(), test_GetModuleInformation(), test_getname(), test_GetNumaProcessorNode(), test_GetNumberFormatA(), test_GetNumberFormatEx(), test_GetNumberOfConsoleInputEvents(), test_getObjectUrl(), test_GetOutlineTextMetrics(), test_GetPerformanceInfo(), test_GetPhysicallyInstalledSystemMemory(), test_GetPointerType(), test_GetPrinter(), test_GetPrinterDriver(), test_GetPrivateProfileString(), test_GetProcessImageFileName(), test_GetProcessMemoryInfo(), test_GetProcessVersion(), test_GetPwrCapabilities(), test_GetRandomRgn(), Test_GetRandomRgn_CLIPRGN(), Test_GetRandomRgn_Params(), Test_GetRandomRgn_RGN5(), Test_GetRandomRgn_SYSRGN(), test_GetRawInputData(), test_GetRawInputDeviceList(), test_GetRfc1766Info(), test_getroletext(), test_GetScrollBarInfo(), test_GetSecurityInfo(), test_getset_item(), test_getset_tooltips(), test_GetSetConsoleInputExeName(), test_GetSetDIBits_rtl(), test_GetSetEnvironmentVariableA(), test_GetSetEnvironmentVariableW(), test_GetSetStdHandle(), test_GetShellSecurityDescriptor(), test_GetShortPathNameW(), test_GetSidIdentifierAuthority(), test_GetSpecialFolder(), test_GetStandardColorSpaceProfileA(), test_GetStandardColorSpaceProfileW(), test_GetStateText(), test_getstring_no_extra(), test_GetStringTypeW(), Test_GetSystemMetrics(), test_GetSystemPreferredUILanguages(), Test_GetTextFace(), Test_GetTextFaceAliasW(), test_GetTextMetrics2(), test_GetThreadExitCode(), test_GetThreadPreferredUILanguages(), test_GetTimeFormatA(), test_GetTimeFormatEx(), test_GetTimeZoneInformationForYear(), test_GetTokenInformation(), test_GetUpdateRect(), test_GetUrlCacheConfigInfo(), test_GetUrlCacheEntryInfoExA(), test_GetUserNameA(), test_GetUserNameW(), test_getuserobjectinformation(), test_GetUserPreferredUILanguages(), test_GetVersionEx(), test_GetVolumeInformationA(), test_GetVolumeNameForVolumeMountPointA(), test_GetVolumeNameForVolumeMountPointW(), test_GetVolumePathNameA(), test_GetVolumePathNamesForVolumeNameA(), test_GetVolumePathNamesForVolumeNameW(), test_GetVolumePathNameW(), test_global_gif_palette(), test_global_gif_palette_2frames(), test_globalinterfacetable(), Test_GradientCaptions(), test_gradientgetrect(), test_Handles(), test_handles(), test_handles_on_win64(), test_hash_message(), test_hash_msg_encoding(), test_hash_msg_get_param(), test_hash_msg_update(), test_hdf_fixedwidth(), test_hdm_orderarray(), test_hds_nosizing(), test_head_request(), test_header_handling_order(), test_header_notification(), test_header_notification2(), test_header_override(), test_heap_checks(), test_HeapQueryInformation(), test_height(), test_height_selection_vdmx(), test_hittest_v6(), test_hotitem(), test_hotkey(), test_hotspot(), test_http_cache(), test_HttpQueryInfo(), test_HttpSendRequestW(), test_hv_scroll_1(), test_hv_scroll_2(), test_I10_OUTPUT(), test_I_UpdateStore(), test_ICGetDisplayFormat(), test_ICInfo(), test_icon_info_dbg(), test_iconsize(), test_ICSeqCompress(), test_ID3DXFont(), test_IdnToAscii(), test_IdnToNameprepUnicode(), test_IdnToUnicode(), test_IFolderView(), test_iimagelist(), test_IImageList_Add_Remove(), test_IImageList_Draw(), test_IImageList_Get_SetImageCount(), test_IImageList_Merge(), test_image_format(), test_image_load(), test_image_mapping(), Test_Imagelist(), test_imagelist(), test_ImageList_DrawIndirect(), test_imagelist_storage(), test_imagelists(), test_IME(), test_ime_wnd_proc(), test_ImmDestroyContext(), test_ImmDestroyIMCC(), test_ImmGetCompositionString(), test_ImmGetDescription(), test_ImmGetIMCCLockCount(), test_ImmGetIMCLockCount(), test_ImmIsUIMessage(), test_ImmNotifyIME(), test_ImmSetCompositionString(), test_ImpersonateNamedPipeClient(), test_impersonation(), test_impersonation_level(), test_inffilelist(), test_inffilelistA(), test_info(), test_ini_values(), test_init_storage(), test_initial_state(), Test_InitialDesktop(), test_initialisation(), test_initonce(), test_Input_mouse(), test_inputdesktop(), test_inputdesktop2(), test_insertitem(), test_install_class(), test_install_from(), test_install_svc_from(), test_InstallColorProfileA(), test_InstallColorProfileW(), test_installOIDFunctionAddress(), Test_Int64ToString(), test_int_widths(), test_interface_identifier_conversion(), test_internet_features(), test_InternetSetOption(), test_interthread_messages(), test_invalid_callbackA(), test_invalid_callbackW(), test_invalid_parametersA(), test_invalid_parametersW(), test_invalid_response_headers(), test_invalid_stdin(), test_invalid_stdin_child(), test_invalid_window(), test_InvalidIMC(), test_invariant(), test_iocp_callback(), test_IsAdminOverrideActive(), test_IsBadCodePtr(), test_IsBadReadPtr(), test_IsBadWritePtr(), test_IsColorProfileTagPresent(), test_IsDomainLegalCookieDomainW(), test_isemptyelement(), test_ismbckata(), test_ismbclegal(), test_IsProcessInJob(), test_IsRectEmpty(), test_IStream_Clone(), test_IStream_invalid_operations(), test_IsUrlCacheEntryExpiredA(), test_IsValidDevmodeW(), test_IsValidLocaleName(), test_IsWow64Process(), test_items(), test_ITextFont(), test_IWbemPath_SetText(), test_IWinHttpRequest_Invoke(), test_jobInheritance(), test_kernel_objects_security(), test_key_names(), test_keyboard_input(), test_keyboard_layout_name(), test_KillOnJobClose(), test_large_content(), test_large_data_authentication(), Test_LargeIntegerToString(), test_layered_window(), test_LB_SELITEMRANGE(), test_LB_SETCURSEL(), test_LB_SETSEL(), test_LBS_NODATA(), test_lcmapstring_unicode(), test_LCMapStringA(), test_LCMapStringEx(), test_LCMapStringW(), test_ldap_get_optionW(), test_ldap_parse_sort_control(), test_ldap_search_extW(), test_ldap_set_optionW(), test_LdrAddRefDll(), test_LdrProcessRelocationBlock(), test_legacy_filter_registration(), test_listbox_dlgdir(), test_listbox_LB_DIR(), test_listbox_messages(), test_listbox_size(), test_listbox_styles(), test_LM_GETIDEALHEIGHT(), test_LM_GETIDEALSIZE(), test_load_texture(), test_Loader(), test_LoadFunctionPointers(), test_LoadImage(), test_LoadImage_working_directory(), test_LoadImage_working_directory_run(), test_LoadImageBitmap(), test_LoadImageFile(), test_LoadLibraryEx_search_flags(), test_LoadRegTypeLib(), test_LoadStringA(), test_local_gif_palette(), test_local_server(), test_LocaleNameToLCID(), test_LocalizedNames(), test_lock_unlock(), test_LockFile(), test_long_names(), test_long_url(), test_LookupAccountName(), test_LookupAccountSid(), test_lookupPrivilegeName(), test_lookupPrivilegeValue(), test_lsa(), test_LsaLookupSids(), test_LVM_GETCOUNTPERPAGE(), test_lvm_hittest_(), test_LVM_REDRAWITEMS(), test_LVM_SETITEMTEXT(), test_lvm_subitemhittest_(), test_LVN_ENDLABELEDIT(), test_LVS_EX_TRANSPARENTBKGND(), test_LVSCW_AUTOSIZE(), test_LZCopy(), test_LZRead(), test_machine_guid(), test_makecurrent(), test_makepath_s(), test_map_points(), test_MapFont(), test_mapidindex(), test_mapping(), test_MapViewOfFile(), test_margin(), Test_MaskBlt_16bpp(), Test_MaskBlt_1bpp(), Test_MaskBlt_32bpp(), Test_MaskBlt_Brush(), test_match_ex(), test_MatchApplications(), test_MatchApplicationsEx(), test_math_functions(), test_maximum_allowed(), test_mbbtombc(), test_mbcjisjms(), test_mbcjmsjis(), test_mbctohira(), test_mbctokata(), test_mbctombb(), test_mbs_help(), test_mbsspn(), test_mbsspnp(), test_mbstowcs(), test_MCIWndCreate(), test_MCM_GETCALENDARCOUNT(), test_MCM_SIZERECTTOMIN(), test_md5(), test_mdi(), test_memcpy_s(), test_memmove_s(), test_memory_dc_clipping(), test_menu_add_string(), test_menu_cancelmode(), test_menu_circref(), test_menu_getmenuinfo(), test_menu_input_thread(), test_menu_locked_by_window(), test_menu_maxdepth(), test_menu_ownerdraw(), test_menu_resource_layout(), test_menu_setmenuinfo(), test_menu_trackagain(), test_menu_trackpopupmenu(), test_menualign(), test_message_allocate_buffer(), test_message_allocate_buffer_wide(), test_message_conversion(), test_message_from_hmodule(), test_message_ignore_inserts(), test_message_ignore_inserts_wide(), test_message_insufficient_buffer(), test_message_insufficient_buffer_wide(), test_message_invalid_flags(), test_message_invalid_flags_wide(), test_message_null_buffer(), test_message_null_buffer_wide(), test_message_window(), test_message_wrap(), test_MessageBox(), test_messages(), test_metrics_for_dpi(), test_mf_Blank(), test_mf_clipping(), test_mf_DCBrush(), test_mf_ExtTextOut_on_path(), test_mf_GetPath(), test_mf_Graphics(), test_mf_PatternBrush(), test_mf_SaveDC(), test_mhtml_protocol_binding(), test_midiStream(), test_minimized(), test_mmio_end_of_file(), test_mmioDescend(), test_mmioOpen(), test_mmioSetBuffer(), test_mode_generic(), test_modify_world_transform(), test_monitors(), test_mono_1x1_bmp_dbg(), test_monochrome_icon(), test_mouse_input(), Test_MouseSpeed(), test_MoveFileA(), test_MoveFileW(), test_mru(), test_msg_close(), test_msg_control(), test_msg_get_and_verify_signer(), test_msg_get_param(), test_MsgWaitForMultipleObjects(), test_MsiGetFileHash(), test_multi_authentication(), test_multi_encoder(), test_multibyte_to_unicode_translations(), test_multiple_reads(), test_multiple_waveopens(), test_MultiThreadApartment(), test_multithreaded_clipboard(), test_mutant(), test_mutex(), test_mutex_security(), test_mxnamespacemanager(), test_name_limits(), test_named_pipe_security(), test_NamedPipeHandleState(), test_ndr_buffer(), test_negative_width(), test_no_cache(), test_no_content(), test_no_headers(), test_nonalertable(), test_nonclient_area(), test_nonexistent_font(), test_nonroot_transacted(), test_not_modified(), test_note(), test_notify(), test_notify_message(), test_NtCreateFile(), Test_NtGdiAddFontResourceW(), test_NtMapViewOfSection(), test_NtQuerySection(), test_NtSuspendProcess(), test_null_auth_data(), test_null_device(), test_null_filename(), test_OemKeyScan(), test_offset_in_overlapped_structure(), test_oidFunctionSet(), test_ok(), test_oldest(), test_ole_initialization(), test_OleDoAutoConvert(), test_OleRegGetUserType(), test_OleUIAddVerbMenu(), test_one(), test_open_close(), test_open_storage(), test_open_url_async(), test_OpenColorProfileA(), test_OpenColorProfileW(), test_OpenComm(), test_OpenConsoleW(), test_OpenFile(), test_OpenFileById(), Test_OpenInputDesktop(), test_OpenPrinter_defaults(), test_OpenProcess(), test_Option_PerConnectionOption(), test_Option_PerConnectionOptionA(), test_options(), test_outline_font(), test_overlapped(), test_overlapped_buffers(), test_overlapped_error(), Test_Overread(), test_ownerdata(), test_ownerdraw(), test_PackDDElParam(), test_paint_messages(), test_palette_from_bitmap(), test_parameters(), test_parametersEx(), Test_Params(), test_params(), test_parent_free(), test_parent_owner(), test_parent_wndproc(), test_passport_auth(), Test_PatBlt_Params(), test_path_state(), test_PathCreateFromUrl(), test_PathGetDriveNumber(), test_PathIsRelativeA(), test_PathIsRelativeW(), test_PathIsUrl(), test_PathIsValidCharA(), test_PathIsValidCharW(), test_PathUnExpandEnvStrings(), test_PathYetAnotherMakeUniqueName(), test_pattern_brush(), test_PBM_STEPIT(), test_PdhAddCounterA(), test_PdhAddCounterW(), test_PdhAddEnglishCounterA(), test_PdhAddEnglishCounterW(), test_PdhCollectQueryDataEx(), test_PdhCollectQueryDataWithTime(), test_PdhGetCounterInfoA(), test_PdhGetCounterInfoW(), test_PdhGetCounterTimeBase(), test_PdhGetDllVersion(), test_PdhGetFormattedCounterValue(), test_PdhGetRawCounterValue(), test_PdhLookupPerfIndexByNameA(), test_PdhLookupPerfIndexByNameW(), test_PdhLookupPerfNameByIndexA(), test_PdhLookupPerfNameByIndexW(), test_PdhMakeCounterPathA(), test_PdhOpenQueryA(), test_PdhOpenQueryW(), test_PdhSetCounterScaleFactor(), test_PdhValidatePathA(), test_PdhValidatePathExA(), test_PdhValidatePathExW(), test_PdhValidatePathW(), test_pe_checksum(), test_PeekMessage(), test_PeekMessage2(), test_PeekMessage3(), test_perflib_key(), test_png_palette(), test_PostMessage(), test_predefined_palette(), test_premature_disconnect(), test_printer_dc(), test_PrivacyGetSetZonePreferenceW(), test_PrivateExtractIcons(), test_PrivateObjectSecurity(), test_process_access(), test_process_security(), test_process_security_child(), test_ProcThreadAttributeList(), test_profile_directory_readonly(), test_profile_existing(), test_profile_sections(), test_profile_sections_names(), test_profile_string(), test_propertytovariant(), test_provider_funcs(), test_pscript_printer_dc(), test_pSetupGetField(), test_pseudo_tokens(), test_PSM_ADDPAGE(), test_PSM_INSERTPAGE(), test_PSPropertyKeyFromString(), test_PSRefreshPropertySchema(), test_PSStringFromPropertyKey(), test_query_dos_deviceA(), test_query_logicalprocex(), test_query_object(), test_query_process_debug_flags(), test_query_process_debug_object_handle(), test_query_process_debug_port(), test_query_process_priority(), test_query_svc(), test_query_value_ex(), test_queryconfig2(), test_QueryInformationJobObject(), test_QueryPathOfRegTypeLib(), test_QueueUserWorkItem(), test_quit_message(), test_radio_dbg(), test_rand_s(), test_rc2_keylen(), test_read(), test_Read(), test_read_write(), test_read_xmldeclaration(), test_ReadAll(), test_ReadConsole(), test_ReadConsoleOutputAttribute(), test_ReadConsoleOutputCharacterA(), test_ReadConsoleOutputCharacterW(), test_readfileex_pending(), test_ReadGlobalPwrPolicy(), test_ReadProcessorPwrScheme(), test_readTrustedPublisherDWORD(), test_readwrite(), test_recinfo(), test_reconnect(), Test_Rectangle(), test_redirect(), test_redraw(), test_refcount(), Test_References(), test_reflection_desc_ps(), test_reflection_desc_vs(), test_reg_close_key(), test_reg_copy_tree(), test_reg_create_key(), test_reg_delete_key(), test_reg_delete_tree(), test_reg_load_key(), test_reg_open_key(), test_reg_query_info(), test_reg_query_value(), test_reg_save_key(), test_reg_unload_key(), test_regconnectregistry(), test_region(), test_register_device_iface(), test_register_device_info(), test_register_font(), test_register_typelib(), test_RegisterBindStatusCallback(), test_RegisterClipboardFormatA(), test_registerDefaultOIDFunction(), test_registerOIDFunction(), test_registerOIDInfo(), test_registerset(), test_registerset_defaults(), test_RegisterWaitForSingleObject(), test_registry(), test_registry_property_a(), test_registry_property_w(), test_RegistryQuota(), test_RegNotifyChangeKeyValue(), test_RegOpenCurrentUser(), test_RegPolicyFlags(), test_relative_path(), test_remove_certificate(), test_remove_dot_segments(), test_RemoveDirectoryA(), test_RemoveDirectoryW(), test_rename(), test_ReplaceFileA(), test_ReplaceFileW(), test_request_content_length(), test_request_parameter_defaults(), test_reserved_tls(), test_resizable2(), test_resize(), test_resolve_timeout(), test_ResolveDelayLoadedAPI(), test_retrieveObjectByUrl(), test_RetrieveUrlCacheEntryA(), test_revert(), test_rfc1766(), test_Rfc1766ToLcid(), test_riff_write(), test_rng(), test_RpcServerInqDefaultPrincName(), test_RtlAllocateAndInitializeSid(), test_RtlDeleteTimer(), test_RtlDetermineDosPathNameType_U(), test_RtlGetFullPathName_U(), test_RtlGUIDFromString(), test_RtlIsCriticalSectionLocked(), test_RtlIsDosDeviceName_U(), test_RtlIsNameLegalDOS8Dot3(), test_RtlQueryPackageIdentity(), test_RtlStringFromGUID(), test_runnable(), test_rw_order(), test_savedc(), test_SaveDC(), test_savedc_2(), test_screen_colors(), test_ScriptGetFontProperties(), test_ScriptGetGlyphABCWidth(), test_ScriptPlace(), test_ScriptTextOut2(), test_scroll(), test_scroll_messages(), test_scrollnotify(), test_Sdb(), test_SdbTagToString(), test_search_path(), test_SearchPathA(), test_SearchPathW(), test_section_access(), test_section_names(), test_secure_connection(), test_security_descriptor(), test_security_info(), test_sei_lpIDList(), test_select(), test_selection(), test_selrange(), test_semaphore_security(), test_send(), Test_SendInput(), test_SendMessage_other_thread(), test_sendto(), test_sequence(), test_server_init(), test_set_clipboard_DRAWCLIPBOARD(), test_set_count(), test_set_default_proxy_config(), test_set_hook(), test_set_value(), test_SetActiveWindow(), test_SetColorProfileElement(), test_SetColorProfileHeader(), test_SetConsoleFont(), test_SetDefaultDllDirectories(), Test_SetDIBits(), test_SetDIBits(), Test_SetDIBits_1bpp(), test_SetDIBits_RLE4(), test_SetDIBits_RLE8(), Test_SetDIBitsToDevice(), test_SetDIBitsToDevice(), Test_SetDIBitsToDevice_Params(), test_SetDIBitsToDevice_RLE8(), test_SetFileInformationByHandle(), test_SetFileValidData(), test_SetFocus(), test_SetForegroundWindow(), test_SetICMMode(), test_SetICMProfileA(), test_SetICMProfileW(), test_setlocale(), test_SetMenu(), test_SetMetaFileBits(), test_setmode(), test_SETPARAFORMAT(), test_SetParent(), test_setpos(), test_SetRect(), test_setredraw(), test_SetScrollInfo(), test_SetScrollPos(), test_SetSearchPathMode(), test_SetupAddInstallSectionToDiskSpaceListA(), test_SetupAddSectionToDiskSpaceListA(), test_SetupAddToDiskSpaceListA(), test_SetupCreateDiskSpaceListA(), test_SetupCreateDiskSpaceListW(), test_SetupDecompressOrCopyFile(), test_SetupDiGetClassDevsExW(), test_SetupDiInstallClassExA(), test_SetupGetFileCompressionInfo(), test_SetupGetFileCompressionInfoEx(), test_SetupGetInfInformation(), test_SetupGetSourceFileLocation(), test_SetupGetSourceInfo(), test_SetupGetTargetPath(), test_SetupInstallServicesFromInfSectionExA(), test_SetupInstallServicesFromInfSectionExW(), test_SetupLogError(), test_SetupPromptForDiskA(), test_SetupPromptForDiskW(), test_SetupQueryDrivesInDiskSpaceListA(), test_SetupQuerySpaceRequiredOnDriveA(), test_SetupQuerySpaceRequiredOnDriveW(), test_SetupUninstallOEMInf(), test_setvalue_on_wow64(), Test_SetWindowExtEx(), test_SetWindowPos(), test_sh_create_dir(), test_sh_new_link_info(), test_sha1(), test_sha256(), test_sha384(), test_sha512(), test_shared_memory(), test_shared_memory_ro(), test_SHCreateSessionKey(), test_SHCreateShellItem(), test_SHCreateStreamOnFileA(), test_SHCreateStreamOnFileEx(), test_SHCreateStreamOnFileEx_CopyTo(), test_SHCreateStreamOnFileW(), test_SHCreateWorkerWindowA(), test_shell_window(), test_ShellWindows(), test_SHExtractIcons(), test_SHFormatDateTimeA(), test_SHFormatDateTimeW(), test_SHGetFolderPathAndSubDirA(), test_SHGetImageList(), test_SHGetIniString(), test_SHGetObjectCompatFlags(), test_SHGetSpecialFolderPath(), Test_Shimdata(), test_showband(), test_ShowScrollBar(), test_ShowWindow(), test_SHParseDisplayName(), test_SHRegCloseUSKey(), test_SHRegCreateUSKeyW(), test_SHRegGetValue(), test_SHSetIniString(), test_SHSetParentHwnd(), test_sid_str(), test_Sign_Media(), test_sign_message(), test_signed_msg_encoding(), test_signed_msg_get_param(), test_signed_msg_open(), test_signed_msg_update(), test_simple_enumerationA(), test_simple_enumerationW(), Test_SimpleParameters(), test_sip(), test_sip_create_indirect_data(), test_SIPLoad(), test_SIPRetrieveSubjectGUID(), test_smresult(), test_SnmpUtilAsnAnyCpyFree(), test_SnmpUtilOctetsCmp(), test_SnmpUtilOctetsCpyFree(), test_SnmpUtilOctetsNCmp(), test_SnmpUtilOidAppend(), test_SnmpUtilOidCmp(), test_SnmpUtilOidCpyFree(), test_SnmpUtilOidNCmp(), test_SnmpUtilOidToA(), test_SnmpUtilVarBindCpyFree(), test_SnmpUtilVarBindListCpyFree(), test_solidbrush(), test_SQLConfigDataSource(), test_SQLGetInstalledDrivers(), test_SQLGetPrivateProfileString(), test_SQLGetPrivateProfileStringW(), test_SQLInstallDriverEx(), test_SQLInstallTranslatorEx(), test_SQLValidDSN(), test_SQLValidDSNW(), test_SQLWritePrivateProfileString(), test_sscanf(), test_sscanf_s(), test_SspiPromptForCredentials(), TEST_Start(), test_start_stop(), test_start_stop_services(), test_start_trace(), test_stat(), test_status_callbacks(), test_stock_fonts(), test_stop_wait_for_call(), test_storage_stream(), test_strcat_s(), test_StrCatChainW(), test_strcpy_s(), test_stream_read_write(), test_strerror_s(), test_StretchDIBits(), test_string_conversion(), test_string_termination(), test_StringTableAddStringEx(), test_strncpy(), test_StrRetToBSTR(), test_StrRetToStringNW(), test_StrStrA(), test_StrStrIA(), test_StrStrIW(), test_StrStrNIW(), test_StrStrNW(), test_StrStrW(), test_strxfrm(), test_StrXXX_overflows(), test_subclass(), test_subpopup_locked_by_menu(), test_substorage_enum(), test_substorage_share(), test_supported_encoders(), test_swap_control(), test_swscanf(), test_swscanf_s(), test_SxsLookupClrGuid(), test_system(), test_system_menu(), test_system_security_access(), test_SystemFunction036(), test_SystemSecurity(), test_TabbedText(), test_TagRef(), test_TBS_AUTOTICKS(), test_TCM_SETITEMEXTRA(), test_TCN_SELCHANGING(), test_tcp(), test_tcp_tx_full_window_lost(), test_TCS_OWNERDRAWFIXED(), test_templates(), test_TerminateJobObject(), test_TerminateProcess(), test_text_extents(), test_text_metrics(), Test_TextMargin(), test_textstream(), test_thread_actctx(), test_thread_handle_close(), test_thread_objects(), test_thread_security(), test_thread_start_address(), test_threadcp(), test_ThreadErrorMode(), test_tiff_8bpp_palette(), test_timeouts(), test_timer_queue(), test_ToAscii(), test_token_attr(), test_token_label(), test_token_security_descriptor(), test_tolower(), test_Toolhelp(), test_ToUnicode(), test_towers(), test_TrackMouseEvent(), test_TrackPopupMenu(), test_TrackPopupMenuEmpty(), test_trailing_slash(), test_transact(), test_TTM_ADDTOOL(), test_TTN_SHOW(), test_TVM_HITTEST(), test_TVM_SORTCHILDREN(), test_TVS_CHECKBOXES(), test_TVS_SINGLEEXPAND(), test_TxGetScroll(), test_type_index_color(), test_typelib_section(), test_udp(), test_UDS_SETBUDDYINT(), Test_UnaffectedMessages(), test_undefined_byte_char(), test_unicode(), test_unicode_conversions(), test_UninstallColorProfileA(), test_UninstallColorProfileW(), test_UnpackDDElParam(), test_url_canonicalize(), test_urlcacheA(), test_urlcacheW(), test_UrlCreateFromPath(), test_UrlEscapeA(), test_UrlEscapeW(), test_UrlIs(), test_UrlIs_null(), test_user_agent_header(), test_utils(), test_UuidCreateSequential(), test_ValidatePowerPolicies(), test_ValidatePowerPolicies_Next(), test_ValidatePowerPolicies_Old(), test_validatergn(), test_validtypes(), test_VarBstrCat(), test_verify_detached_message_hash(), test_verify_detached_message_signature(), test_verify_message_hash(), test_verify_message_signature(), test_verify_sig(), test_VerifyConsoleIoHandle(), test_verifyRevocation(), test_verifyTimeValidity(), test_VerifyVersionInfo(), test_VerQueryValue_InvalidLength(), test_VerQueryValueA(), test_vertical_font(), test_VirtualAlloc_protection(), test_VirtualProtect(), test_vol(), test_vscprintf(), test_vscwprintf(), test_vsnwprintf(), test_vsprintf_p(), test_vswprintf(), test_WaitCommEvent(), test_WaitForInputIdle(), test_WaitForJobObject(), test_WaitForSingleObject(), test_WaitRing(), test_wcscpy_s(), test_wcsncat_s(), test_wctob(), test_wctomb(), test_widenpath(), test_window_dc(), test_window_dc_clipping(), test_winevents(), test_WinHttpAddHeaders(), test_WinHttpDetectAutoProxyConfigUrl(), test_WinHttpGetIEProxyConfigForCurrentUser(), test_WinHttpGetProxyForUrl(), test_WinHttpOpenRequest(), test_WinHttpQueryOption(), test_WinHttpSendRequest(), test_WinHttpTimeFromSystemTime(), test_WinHttpTimeToSystemTime(), test_winproc_handles(), test_winproc_limit(), test_winregion(), test_wintrust_digest(), test_WM_CHAR(), test_WM_DEVICECHANGE(), test_WM_LBUTTONDOWN(), test_WM_MEASUREITEM(), test_wm_notifyformat(), test_WM_PAINT(), test_wm_set_get_text(), test_wndclass_section(), test_WNetCachePassword(), test_WNetGetRemoteName(), test_WNetGetUniversalName(), test_WNetUseConnection(), test_wordbreak_proc(), test_work_area(), test_world_transform(), test_write_ex(), test_write_watch(), test_WriteConsoleInputA(), test_WriteConsoleInputW(), test_WriteConsoleOutputAttribute(), test_WriteConsoleOutputCharacterA(), test_WriteConsoleOutputCharacterW(), test_WriteFileGather(), test_WriteLine(), test_WritePrivateProfileString(), test_ws_functions(), test_WS_VSCROLL(), test_WSAEnumProtocolsA(), test_WSAEnumProtocolsW(), Test_WSAIoctl_InitTest(), Test_WSARecv(), test_wshshell(), test_WTSEnumerateProcessesW(), test_WTSQuerySessionInformationW(), test_WTSQueryUserToken(), test_xsltext(), test_ZombifyActCtx(), test_zoom(), testAcquireCertPrivateKey(), testAcquireCredentialsHandle(), testAcquireCredentialsHandleW(), testAcquireSecurityContext(), testAddCert(), testAddCertificateLink(), testAddCRL(), testAddCTLToStore(), testAddSerialized(), TestApplyPatchToFileA(), TestApplyPatchToFileW(), TestCaps(), testCertEnumSystemStore(), testCertProperties(), testCertRegisterSystemStore(), testCertSigs(), testCertTrust(), testCollectionStore(), testCompareCert(), testCompareCertName(), testCompareIntegerBlob(), testComparePublicKeyInfo(), testCreateCert(), testCreateCertChainEngine(), testCreateSelfSignCert(), testCRLProperties(), testCryptHashCert(), testCTLProperties(), testCursorInfo(), TestDlgProcA(), testDupCert(), TestEntry(), TestEnumFontFamilies(), testExportPublicKey(), testFileExistenceW(), testFileNameStore(), testFileStore(), testFindCert(), testFindCertInCRL(), testFindCRL(), testGetCertChain(), testGetCRLFromStore(), testGetDllDirectory(), testGetIssuerCert(), testGetModuleHandleEx(), testGetPerAdapterInfo(), testGetPublicKeyLength(), testGetSubjectCert(), testGetValidUsages(), testHashPublicKeyInfo(), testHashToBeSigned(), testIcmpSendEcho(), testImportPublicKey(), testInit(), testInitialize(), testIntendedKeyUsage(), testIsRDNAttrsInCertificateName(), testIsValidCRLForCert(), testK32GetModuleInformation(), TestKeyAccess_(), testKeyUsage(), testLinkCert(), testLoadLibraryEx(), testMemStore(), TestMessages(), testMessageStore(), testNotifyAddrChange(), testObjTrust(), TestOwnership(), testPortPublicKeyInfo(), testQuery(), TestRE_IClassFactory_CreateInstance(), testRegStore(), testRegStoreSavedCerts(), testSAX(), testScreenBuffer(), testScroll(), TestSendMessageTimeout(), testSetHelper(), testSetTcpEntry(), testSetupDiGetClassDevsA(), testSHGetFolderLocation(), testSHGetSpecialFolderLocation(), testSignAndEncodeCert(), testSignCert(), testStoreProperty(), testStoresInCollection(), testStringToBinaryA(), testSystemRegStore(), testSystemStore(), testTimeDecoding(), testTimeEncoding(), testVerifyCertChainPolicy(), testVerifyCertSig(), testVerifyCertSigEx(), testVerifyCRLRevocation(), testVerifyRevocation(), testVerifySubjectCert(), testWaitForConsoleInput(), testwindow_setpos(), testWriteNotWrappedNotProcessed(), textAsk(), TextCompare(), TextEditSink_Release(), TextFileCompare(), TextFont_CanChange(), TextFont_GetDuplicate(), textfont_getname_from_range(), TextFont_IsEqual(), TextPara_CanChange(), TextPara_GetDuplicate(), TextPara_IsEqual(), textrange_inrange(), textrange_isequal(), TextService_Release(), TextStoreACP_Release(), textstream_read(), textstream_writecrlf(), textstream_writestr(), texture_resource_sub_resource_map(), TF_GetMlngHKL(), TgaDecoder_CreateInstance(), ThemeDlgPostWindowProc(), ThemeGetScrollInfo(), ThemeHooksInstall(), ThemeHooksRemove(), ThemeWaitForServiceReady(), THEMING_Initialize(), thread(), Thread2(), thread_actctx_func(), thread_proc(), ThreadMgr_Release(), ThreadMgrEventSink_Release(), thunk_AcquireCredentialsHandleA(), thunk_AcquireCredentialsHandleW(), thunk_AddCredentialsA(), thunk_AddCredentialsW(), thunk_ContextAttributesAToW(), thunk_ContextAttributesWToA(), thunk_ImportSecurityContextA(), thunk_ImportSecurityContextW(), thunk_InitializeSecurityContextA(), thunk_InitializeSecurityContextW(), thunk_PSecPkgInfoWToA(), thunk_QueryContextAttributesA(), thunk_QueryContextAttributesW(), thunk_QueryCredentialsAttributesA(), thunk_QueryCredentialsAttributesW(), thunk_SetContextAttributesA(), thunk_SetContextAttributesW(), TIFFFindField(), TIFFReadFromUserBuffer(), TileWindows(), TIME_CompTimeZoneID(), time_from_pos(), time_within_day(), timer_queue_cb2(), timer_queue_cb3(), timer_queue_cb4(), timer_queue_cb6(), TLB_MultiByteToBSTR(), TLB_ReadTypeLib(), TLBFuncDesc_Alloc(), TLBImplType_Alloc(), TLBParDesc_Constructor(), TLBVarDesc_Alloc(), to_array(), to_boolean(), to_double(), to_int(), to_int32(), to_integer(), to_number(), to_primitive(), to_safearray(), to_string(), to_uint32(), monoChain::toArrayAllLoops(), directedLine::toArrayAllPolygons(), TOOLBAR_Customize(), TOOLBAR_EraseBackground(), TOOLBAR_GetBitmapIndex(), TOOLBAR_GetButtonText(), TOOLBAR_GetStringA(), TOOLBAR_GetStringW(), TOOLBAR_Restore(), TOOLBAR_Save(), toolbar_subclass_proc(), toolbarcheck(), trackbar_subclass_proc(), TransactionManager_Create(), transfer_file_http(), transfer_file_local(), transitionJobState(), translate_url(), TranslateBitmapBits(), TranslateColors(), TranslateMessage(), ATL::CImage::TransparentBlt(), TRASH_CanTrashFile(), TreeNodeDeleteSingleNode(), TreeNodeMake(), TREEVIEW_BeginLabelEditNotify(), TREEVIEW_SendTreeviewNotify(), TreeviewWndProc(), TrustIsCertificateSelfSigned(), try_start_stop(), TTIsEmbeddingEnabled(), TTIsEmbeddingEnabledForFacename(), twain_add_onedriver(), type_is_non_iface_pointer(), type_needs_pointer_deref(), type_pointer_is_iface(), typeof_string(), u_add_match(), UDFCrc(), UDFIsIllegalChar(), UDFPhSendIOCTL(), UDFUnicodeCksum(), UDFUnicodeCksum150(), UdpTableSorter(), UefiDiskRead(), ui2ipv4(), ui2str(), UIINSERTOBJECTDLG_PopulateObjectTypes(), UnorderedTest::umap(), UnorderedTest::umultimap(), UnorderedTest::umultiset(), UnDecorateSymbolNameW(), unescape_string(), UnicodeToAnsi(), UninstallColorProfileA(), uniquecontainer(), Unlink(), UnloadPerfCounterTextStringsA(), UnlockUrlCacheEntryFileW(), unmap_feature_attributes(), unpack_avi_file(), unquote_string(), unregister_dmo_from_category(), unregister_server(), UpdateDriverForPlugAndPlayDevicesW(), UpdateImageInfo(), UpdatePerUserImmEnabling(), UpdateResourceA(), UpdateResourceW(), UPDOWN_SetPos(), updown_subclass_proc(), Uri_Construct(), URL_CreateFromPath(), UrlApplySchemeA(), UrlApplySchemeW(), urlcache_encode_url_alloc(), urlcache_entry_is_expired(), UrlCanonicalizeA(), UrlCombineA(), UrlCombineW(), UrlCompareA(), UrlCompareW(), UrlCreateFromPathA(), UrlCreateFromPathW(), UrlEscapeA(), UrlEscapeW(), UrlGetPartA(), UrlGetPartW(), UrlUnescapeA(), UrlUnescapeW(), User32DoImeHelp(), User32SendImeUIMessage(), user_notice_dlg_proc(), UserpShowInformationBalloon(), UnorderedTest::uset(), utf8_to_utf16(), UXTHEME_StretchBlt(), validate_default_security_descriptor(), validate_impersonation_token(), ValidateHandle(), ValidateHandleNoErr(), ValidatePowerPolicies(), ValidateShim(), value_get_dword_field(), value_get_str_field(), var2str(), var_to_size(), var_to_styleval(), VarBstrCmp(), variant_func2(), variant_to_nsastr(), vasprintf(), VBEReadEdidUsingSCI(), VBScriptDebug_EnumCodeContextsOfPosition(), VBScriptFactory_CreateInstance(), vec4_varyings(), MoveConstructorTest::vector_test(), verify_authenticode_policy(), verify_cert_revocation_from_aia_ext(), verify_cert_revocation_from_dist_points_ext(), verify_ms_root_policy(), verify_region(), verify_xcode(), verify_xpointers(), VerifyInteg(), verifySig(), VerifySignature(), VerInstallFileA(), VerInstallFileW(), VerQueryValueA(), VerQueryValueW(), VfdCheckDriverFile(), VfdCheckHandlers(), VfdCheckImageFile(), VfdCloseImage(), VfdConfigDriver(), VfdCreateImageFile(), VfdDismountVolume(), VfdFormatMedia(), VfdGetDeviceName(), VfdGetDeviceNumber(), VfdGetDriverConfig(), VfdGetDriverState(), VfdGetDriverVersion(), VfdGetGlobalLink(), VfdGetImageInfo(), VfdGetLocalLink(), VfdGetMediaState(), VfdGuiClose(), VfdGuiFormat(), VfdGuiSave(), VfdImageTip(), VfdInstallDriver(), VfdOpenImage(), VfdRegisterHandlers(), VfdRemoveDriver(), VfdSaveImage(), VfdSetGlobalLink(), VfdSetLocalLink(), VfdStartDriver(), VfdStopDriver(), VfdUnregisterHandlers(), VfdWriteProtect(), vfwprintf(), vfwprintf_s(), view_invoke(), virtqueue_get_buf_packed(), VMR9_AddRef(), VMR9_Release(), volume_arrival(), vswprintf_wrapper(), wait_for_completion(), wait_for_message(), wait_move_event(), warn(), warning(), WAVE_ConvertByteToTimeFormat(), WAVE_ConvertTimeFormatToByte(), WAVE_mciGetDevCaps(), WAVE_mciInfo(), WAVE_mciSave(), WAVE_mciStatus(), waveInGetDevCapsA(), waveOutGetDevCapsA(), waveOutGetErrorTextA(), waveOutGetErrorTextW(), wcsncat_s(), WcsOpenColorProfileA(), wcstod(), wcstok_s(), wcstombs_sbcs(), WDML_GetLocalConvInfo(), WDML_Global2DataHandle(), WDML_Initialize(), WDML_InvokeCallback(), WDML_IsAppOwned(), WDML_QueryString(), WDML_SyncWaitTransactionReply(), week_day(), well_known_sid(), wetwork(), wglDescribePixelFormat(), wglGetPixelFormat(), wglSetPixelFormat(), wglUseFontBitmaps_common(), WHD_GetInfo(), WhereDoPattern(), WhereFindByDirs(), WhereFindByVar(), WhereGetPathExt(), WhereSearchGeneric(), WhoamiPriv(), widClose(), widMapperStatus(), widOpenHelper(), win32_build_iowin(), win32_close_file_func(), win32_error_file_func(), win32_read_file_func(), win32_seek64_file_func(), win32_seek_file_func(), win32_tell64_file_func(), win32_tell_file_func(), Win32_Tests(), win32_write_file_func(), window_from_point_proc(), window_surface_release(), WindowProc(), wine_compare_string(), wine_dbg_log(), wine_dbg_printf(), wine_dbg_sprintf(), wine_dbgstr_icerr(), wine_dbgstr_propvariant(), wine_ldt_get_flags(), wined3d_event_query_ops_poll(), wined3d_extract_bits(), wined3d_fence_test(), wined3d_fence_wait(), wined3d_format_convert_from_float(), wined3d_init(), wined3d_resource_gl_map_flags(), wined3d_set_adapter_display_mode(), wined3d_texture_load_location(), winefmt_default_dbg_vlog(), WinGStretchBlt(), WINHELP_HandleTextMouse(), WINHELP_MainWndProc(), WinHelpW(), WinHttpAddRequestHeaders(), WinHttpCrackUrl_test(), WinHttpCreateUrl_test(), WinHttpDetectAutoProxyConfigUrl(), WinHttpGetIEProxyConfigForCurrentUser(), WinHttpGetProxyForUrl(), WinHttpQueryAuthSchemes(), WinHttpQueryDataAvailable(), WinHttpQueryHeaders(), WinHttpQueryOption(), WinHttpReadData(), WinHttpReceiveResponse(), WinHttpSendRequest(), WinHttpSetCredentials(), WinHttpSetDefaultProxyConfiguration(), WinHttpSetOption(), WinHttpSetStatusCallback(), WinHttpSetTimeouts(), WinHttpWriteData(), WinLdrLoadBootDrivers(), WinMain(), winsock_startup(), WINTRUST_AddCert(), WINTRUST_AddPrivData(), WINTRUST_AddSgnr(), WINTRUST_AddStore(), WINTRUST_CertVerify(), WINTRUST_CertVerifyObjTrust(), WINTRUST_CreateChainForSigner(), WINTRUST_DefaultVerify(), WINTRUST_enumUsages(), WINTRUST_GetSignedMsgFromCatFile(), WINTRUST_GetSignedMsgFromPEFile(), WINTRUST_GetSigner(), WINTRUST_GetSignerCertInfo(), WINTRUST_GetTimeFromSigner(), WINTRUST_PutSignedMsgToPEFile(), WkstaEnumAdaptersCallback(), WlanCloseHandle_test(), WlanConnect_test(), WlanDeleteProfile_test(), WlanDisconnect_test(), WlanEnumInterfaces_test(), WlanGetInterfaceCapability_test(), WlanGetProfile_test(), WlanOpenHandle_test(), WlanRenameProfile_test(), WlanScan_test(), WLDAP32_ber_printf(), WLDAP32_ber_scanf(), WLDAP32_ldap_abandon(), WLDAP32_ldap_count_entries(), WLDAP32_ldap_count_references(), WLDAP32_ldap_count_values_len(), WLDAP32_ldap_msgfree(), WLDAP32_ldap_result(), WLDAP32_ldap_result2error(), WLDAP32_ldap_unbind(), WLDAP32_ldap_unbind_s(), WlxDialogBoxIndirectParam(), WlxDialogBoxParam(), WlxStartApplication(), wmain(), WMCreateProfileManager(), WMCreateWriter(), WMProfileManager_CreateEmptyProfile(), WMProfileManager_GetSystemProfileCount(), WMProfileManager_LoadProfileByData(), WMProfileManager_LoadProfileByID(), WMProfileManager_LoadSystemProfile(), WMSFT_compile_custdata(), WMSFT_compile_typeinfo_aux(), WMSFT_encode_variant(), WndProc(), wnet_use_connection(), wnet_use_provider(), WNetCancelConnection2A(), WNetCancelConnection2W(), WNetClearConnections(), WNetCloseEnum(), WNetEnumResourceA(), WNetEnumResourceW(), WNetGetConnectionA(), WNetGetConnectionW(), WNetGetNetworkInformationA(), WNetGetNetworkInformationW(), WNetGetProviderNameA(), WNetGetProviderNameW(), WNetGetResourceInformationA(), WNetGetResourceInformationW(), WNetOpenEnumA(), WNetOpenEnumW(), WNetUseConnectionA(), wodClose(), wodMapperStatus(), wodOpenHelper(), wpp_parse(), wrap_callback(), wrap_iface(), CConsole::Write(), write_complex_struct_pointer_ref(), write_config_value(), write_credential_blob(), write_data(), write_db_strings(), write_file(), write_raw_resources(), write_reg_file(), write_resource_file(), write_stream_data(), write_tmp_file(), write_to_file(), write_types(), write_unicode2cp_table(), WriteOutFile(), WritePrivateProfileSectionA(), WritePrivateProfileSectionW(), WritePrivateProfileStringA(), WritePrivateProfileStringW(), WritePrivateProfileStructA(), WritePrivateProfileStructW(), writer_strndupW(), WriterThread::WriterThreadRoutine(), WshExec_create(), WshExec_Terminate(), WshShell3_Exec(), WshShell3_ExpandEnvironmentStrings(), WshShell3_get_CurrentDirectory(), WshShell3_RegRead(), WshShell3_RegWrite(), WshShell3_Run(), WTHelperGetKnownUsages(), WVTAsn1CatMemberInfoDecode(), WVTAsn1CatMemberInfoEncode(), WVTAsn1CatNameValueDecode(), WVTAsn1CatNameValueEncode(), WVTAsn1SpcFinancialCriteriaInfoDecode(), WVTAsn1SpcFinancialCriteriaInfoEncode(), WVTAsn1SpcIndirectDataContentDecode(), WVTAsn1SpcIndirectDataContentEncode(), WVTAsn1SpcLinkDecode(), WVTAsn1SpcLinkEncode(), WVTAsn1SpcPeImageDataDecode(), WVTAsn1SpcPeImageDataEncode(), WVTAsn1SpcSpOpusInfoDecode(), WVTAsn1SpcSpOpusInfoEncode(), wWinMain(), XCOPY_CreateDirectory(), XCOPY_DoCopy(), xdr_bytes(), xdr_string(), XInputGetState(), xmlAddAttributeDecl(), xmlAddElementDecl(), xmlAddID(), xmlAddNotationDecl(), xmlAddRef(), xmlAttrNormalizeSpace2(), xmlBufBackToBuffer(), xmlBufCreate(), xmlBufCreateSize(), xmlBufCreateStatic(), xmlBufDetach(), xmlBufDump(), xmlBufFromBuffer(), xmlBufGrow(), xmlBufMergeBuffer(), xmlBuildRelativeURI(), xmlBuildURI(), xmlByteConsumed(), xmlCanonicPath(), xmlCharEncCloseFunc(), xmlCharEncFirstLineInput(), xmlCharEncFirstLineInt(), xmlCharEncInFunc(), xmlCharEncInput(), xmlCharEncOutFunc(), xmlCharStrndup(), xmlCopyDocElementContent(), xmlCreateEnumeration(), xmlCreateURI(), xmlDictAddQString(), xmlDictAddString(), xmlDictGrow(), xmlDictLookup(), xmlDictQLookup(), xmlDictSetLimit(), xmlDoRead(), xmlEncInputChunk(), xmlEncOutputChunk(), xmlGetThreadId(), xmlHashCopy(), xmllintExternalEntityLoader(), xmlMallocAtomicLoc(), xmlMallocLoc(), xmlNewDocElementContent(), xmlParse3986Authority(), xmlParse3986HierPart(), xmlParse3986PathAbEmpty(), xmlParse3986PathAbsolute(), xmlParse3986PathNoScheme(), xmlParse3986PathRootless(), xmlParse3986RelativeRef(), xmlParse3986URI(), xmlParse3986URIReference(), xmlParseAttValueInternal(), xmlParseBalancedChunkMemoryInternal(), xmlParseDefaultDecl(), xmlParseElementChildrenContentDeclPriv(), xmlParseElementDecl(), xmlParseElementEnd(), xmlParseElementMixedContentDecl(), xmlParseElementStart(), xmlParseEntityValue(), xmlParseEnumerationType(), xmlParseExternalEntityPrivate(), xmlParseInNodeContext(), xmlParseName(), xmlParseNameAndCompare(), xmlParseNCName(), xmlParseNotationType(), xmlParseQNameAndCompare(), xmlParseReference(), xmlParserInputGrow(), xmlParserInputShrink(), xmlParseURI(), xmlParseURIRaw(), xmlPathToURI(), xmlPushInput(), xmlreader_GetPrefix(), xmlSaveUri(), xmlSaveUriRealloc(), xmlSAX2AttributeNs(), xmlSAX2Comment(), xmlSAX2GetEntity(), xmlSAX2GetParameterEntity(), xmlSAX2ProcessingInstruction(), xmlSAX2Reference(), xmlSAX2ResolveEntity(), xmlSAX2StartElementNs(), xmlSAX2TextNode(), xmlSplitQName(), xmlStrncat(), xmlStrncatNew(), xmlStrndup(), xmlStrPrintf(), xmlStrVPrintf(), xmlSwitchEncoding(), xmlThrDefBufferAllocScheme(), xmlThrDefDefaultBufferSize(), xmlThrDefDoValidityCheckingDefaultValue(), xmlThrDefGetWarningsDefaultValue(), xmlThrDefIndentTreeOutput(), xmlThrDefKeepBlanksDefaultValue(), xmlThrDefLineNumbersDefaultValue(), xmlThrDefLoadExtDtdDefaultValue(), xmlThrDefParserDebugEntities(), xmlThrDefPedanticParserDefaultValue(), xmlThrDefSaveNoEmptyTags(), xmlThrDefSubstituteEntitiesDefaultValue(), xmlThrDefTreeIndentString(), xmlURIEscape(), xmlURIEscapeStr(), xmlURIUnescapeString(), xmlUTF8Strlen(), xmlUTF8Strndup(), xmlUTF8Strsize(), xslprocessor_transform(), xsltAddChild(), xsltApplyFallbacks(), xsltApplySequenceConstructor(), xsltApplyStylesheetInternal(), xsltAttrTemplateProcess(), xsltAttrTemplateValueProcessNode(), xsltCheckRead(), xsltCheckWrite(), xsltCheckWritePath(), xsltCompileAttr(), xsltCompileStepPattern(), xsltCopyNamespaceList(), xsltCopyNamespaceListInternal(), xsltCopyTreeList(), xsltDocumentElem(), xsltDocumentFunction(), xsltEvalAttrValueTemplate(), xsltEvalAVT(), xsltEvalStaticAttrValueTemplate(), xsltEvalTemplateString(), xsltEvalXPathPredicate(), xsltEvalXPathStringNs(), xsltExtElementLookup(), xsltExtElementPreCompTest(), xsltExtModuleFunctionLookup(), xsltExtModuleTopLevelLookup(), xsltFindDocument(), xsltGenerateIdFunction(), xsltGetCNsProp(), xsltGetInheritedNsList(), xsltGetKey(), xsltGetNsProp(), xsltGetTemplate(), xsltGlobalVariableLookup(), xsltKeyFunction(), xsltLoadDocument(), xsltLoadStyleDocument(), xsltLoadStylesheetPI(), xsltLocaleStrcmp(), xsltNewSecurityPrefs(), xsltNewStackElem(), xsltNewStylesheetInternal(), xsltParseStylesheetFile(), xsltParseStylesheetImport(), xsltParseStylesheetInclude(), xsltParseStylesheetProcess(), xsltParseStylesheetTemplate(), xsltRegisterExtFunction(), xsltRegisterExtModuleElement(), xsltRegisterExtModuleFull(), xsltRegisterExtPrefix(), xsltRunStylesheetUser(), xsltSaveResultToFd(), xsltSaveResultToFile(), xsltSaveResultToFilename(), xsltScanLiteral(), xsltScanNCName(), xsltSplitQName(), xsltTestCompMatchList(), xsltTransformCacheCreate(), xsltUnregisterExtModule(), xsltUnregisterExtModuleElement(), xsltUnregisterExtModuleFunction(), xsltUnregisterExtModuleTopLevel(), xsltXPathCompileFlags(), xsltXPathFunctionLookup(), zlib_compress(), zlib_decompress(), ZoneMgrImpl_Construct(), ZSTD_assignParamsToCCtxParams(), ZSTD_errorFrameSizeInfo(), ZSTD_findDecompressedSize(), ZSTD_findFrameSizeInfo(), ZSTD_getDecompressedSize(), ZSTD_getFrameContentSize(), and CHardErrorThread::~CHardErrorThread().

◆ wc1

wchar_t wc1 = 228

Definition at line 32 of file wcstombs-tests.c.

Referenced by CRT_Tests(), test_string_conversion(), and Win32_Tests().

◆ wc2

wchar_t wc2 = 1088

Definition at line 33 of file wcstombs-tests.c.

Referenced by CRT_Tests(), test_string_conversion(), and Win32_Tests().

◆ wcs